Vermin Fight Club Wiki verminwiki https://vermin.miraheze.org/wiki/Main_Page MediaWiki 1.40.1 first-letter Media Special Talk User User talk Vermin Fight Club Wiki Vermin Fight Club Wiki talk File File talk MediaWiki MediaWiki talk Template Template talk Help Help talk Category Category talk Video Video talk Campaign Campaign talk TimedText TimedText talk Module Module talk Template:Clear 10 217 525 2022-03-08T14:12:32Z dev>DarkMatterMan4500 0 Created page with "<div style="clear:{{{1|both}}};"></div><noinclude> {{documentation}} </noinclude>" wikitext text/x-wiki <div style="clear:{{{1|both}}};"></div><noinclude> {{documentation}} </noinclude> 38bab3e3d7fbd3d6800d46556e60bc6bac494d72 Template:Tl 10 216 523 2022-09-30T01:09:19Z dev>Pppery 0 Redirected page to [[Template:Template link]] wikitext text/x-wiki #REDIRECT [[Template:Template link]] fb9a6b420e13178e581af6e7d64274cd30a79017 Template:Template link 10 215 521 2022-09-30T01:10:00Z dev>Pppery 0 46 revisions imported from [[:wikipedia:Template:Template_link]] wikitext text/x-wiki &#123;&#123;[[Template:{{{1}}}|{{{1}}}]]&#125;&#125;<noinclude>{{documentation}} <!-- Categories go on the /doc subpage and interwikis go on Wikidata. --> </noinclude> eabbec62efe3044a98ebb3ce9e7d4d43c222351d Template:Documentation 10 209 509 2022-09-30T01:43:37Z dev>MacFan4000 0 4 revisions imported from [[:meta:Template:Documentation]]: this is useful and was on templateiwki wikitext text/x-wiki {{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>[[Category:Templates]]</noinclude> 9885bb4fa99bf3d5b960e73606bbb8eed3026877 Module:Arguments 828 211 513 2022-09-30T02:32:01Z dev>Pppery 0 24 revisions imported from [[:wikipedia:Module:Arguments]] Scribunto text/plain -- This module provides easy processing of arguments passed to Scribunto from -- #invoke. It is intended for use by other Lua modules, and should not be -- called from #invoke directly. local libraryUtil = require('libraryUtil') local checkType = libraryUtil.checkType local arguments = {} -- Generate four different tidyVal functions, so that we don't have to check the -- options every time we call it. local function tidyValDefault(key, val) if type(val) == 'string' then val = val:match('^%s*(.-)%s*$') if val == '' then return nil else return val end else return val end end local function tidyValTrimOnly(key, val) if type(val) == 'string' then return val:match('^%s*(.-)%s*$') else return val end end local function tidyValRemoveBlanksOnly(key, val) if type(val) == 'string' then if val:find('%S') then return val else return nil end else return val end end local function tidyValNoChange(key, val) return val end local function matchesTitle(given, title) local tp = type( given ) return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title end local translate_mt = { __index = function(t, k) return k end } function arguments.getArgs(frame, options) checkType('getArgs', 1, frame, 'table', true) checkType('getArgs', 2, options, 'table', true) frame = frame or {} options = options or {} --[[ -- Set up argument translation. --]] options.translate = options.translate or {} if getmetatable(options.translate) == nil then setmetatable(options.translate, translate_mt) end if options.backtranslate == nil then options.backtranslate = {} for k,v in pairs(options.translate) do options.backtranslate[v] = k end end if options.backtranslate and getmetatable(options.backtranslate) == nil then setmetatable(options.backtranslate, { __index = function(t, k) if options.translate[k] ~= k then return nil else return k end end }) end --[[ -- Get the argument tables. If we were passed a valid frame object, get the -- frame arguments (fargs) and the parent frame arguments (pargs), depending -- on the options set and on the parent frame's availability. If we weren't -- passed a valid frame object, we are being called from another Lua module -- or from the debug console, so assume that we were passed a table of args -- directly, and assign it to a new variable (luaArgs). --]] local fargs, pargs, luaArgs if type(frame.args) == 'table' and type(frame.getParent) == 'function' then if options.wrappers then --[[ -- The wrappers option makes Module:Arguments look up arguments in -- either the frame argument table or the parent argument table, but -- not both. This means that users can use either the #invoke syntax -- or a wrapper template without the loss of performance associated -- with looking arguments up in both the frame and the parent frame. -- Module:Arguments will look up arguments in the parent frame -- if it finds the parent frame's title in options.wrapper; -- otherwise it will look up arguments in the frame object passed -- to getArgs. --]] local parent = frame:getParent() if not parent then fargs = frame.args else local title = parent:getTitle():gsub('/sandbox$', '') local found = false if matchesTitle(options.wrappers, title) then found = true elseif type(options.wrappers) == 'table' then for _,v in pairs(options.wrappers) do if matchesTitle(v, title) then found = true break end end end -- We test for false specifically here so that nil (the default) acts like true. if found or options.frameOnly == false then pargs = parent.args end if not found or options.parentOnly == false then fargs = frame.args end end else -- options.wrapper isn't set, so check the other options. if not options.parentOnly then fargs = frame.args end if not options.frameOnly then local parent = frame:getParent() pargs = parent and parent.args or nil end end if options.parentFirst then fargs, pargs = pargs, fargs end else luaArgs = frame end -- Set the order of precedence of the argument tables. If the variables are -- nil, nothing will be added to the table, which is how we avoid clashes -- between the frame/parent args and the Lua args. local argTables = {fargs} argTables[#argTables + 1] = pargs argTables[#argTables + 1] = luaArgs --[[ -- Generate the tidyVal function. If it has been specified by the user, we -- use that; if not, we choose one of four functions depending on the -- options chosen. This is so that we don't have to call the options table -- every time the function is called. --]] local tidyVal = options.valueFunc if tidyVal then if type(tidyVal) ~= 'function' then error( "bad value assigned to option 'valueFunc'" .. '(function expected, got ' .. type(tidyVal) .. ')', 2 ) end elseif options.trim ~= false then if options.removeBlanks ~= false then tidyVal = tidyValDefault else tidyVal = tidyValTrimOnly end else if options.removeBlanks ~= false then tidyVal = tidyValRemoveBlanksOnly else tidyVal = tidyValNoChange end end --[[ -- Set up the args, metaArgs and nilArgs tables. args will be the one -- accessed from functions, and metaArgs will hold the actual arguments. Nil -- arguments are memoized in nilArgs, and the metatable connects all of them -- together. --]] local args, metaArgs, nilArgs, metatable = {}, {}, {}, {} setmetatable(args, metatable) local function mergeArgs(tables) --[[ -- Accepts multiple tables as input and merges their keys and values -- into one table. If a value is already present it is not overwritten; -- tables listed earlier have precedence. We are also memoizing nil -- values, which can be overwritten if they are 's' (soft). --]] for _, t in ipairs(tables) do for key, val in pairs(t) do if metaArgs[key] == nil and nilArgs[key] ~= 'h' then local tidiedVal = tidyVal(key, val) if tidiedVal == nil then nilArgs[key] = 's' else metaArgs[key] = tidiedVal end end end end end --[[ -- Define metatable behaviour. Arguments are memoized in the metaArgs table, -- and are only fetched from the argument tables once. Fetching arguments -- from the argument tables is the most resource-intensive step in this -- module, so we try and avoid it where possible. For this reason, nil -- arguments are also memoized, in the nilArgs table. Also, we keep a record -- in the metatable of when pairs and ipairs have been called, so we do not -- run pairs and ipairs on the argument tables more than once. We also do -- not run ipairs on fargs and pargs if pairs has already been run, as all -- the arguments will already have been copied over. --]] metatable.__index = function (t, key) --[[ -- Fetches an argument when the args table is indexed. First we check -- to see if the value is memoized, and if not we try and fetch it from -- the argument tables. When we check memoization, we need to check -- metaArgs before nilArgs, as both can be non-nil at the same time. -- If the argument is not present in metaArgs, we also check whether -- pairs has been run yet. If pairs has already been run, we return nil. -- This is because all the arguments will have already been copied into -- metaArgs by the mergeArgs function, meaning that any other arguments -- must be nil. --]] if type(key) == 'string' then key = options.translate[key] end local val = metaArgs[key] if val ~= nil then return val elseif metatable.donePairs or nilArgs[key] then return nil end for _, argTable in ipairs(argTables) do local argTableVal = tidyVal(key, argTable[key]) if argTableVal ~= nil then metaArgs[key] = argTableVal return argTableVal end end nilArgs[key] = 'h' return nil end metatable.__newindex = function (t, key, val) -- This function is called when a module tries to add a new value to the -- args table, or tries to change an existing value. if type(key) == 'string' then key = options.translate[key] end if options.readOnly then error( 'could not write to argument table key "' .. tostring(key) .. '"; the table is read-only', 2 ) elseif options.noOverwrite and args[key] ~= nil then error( 'could not write to argument table key "' .. tostring(key) .. '"; overwriting existing arguments is not permitted', 2 ) elseif val == nil then --[[ -- If the argument is to be overwritten with nil, we need to erase -- the value in metaArgs, so that __index, __pairs and __ipairs do -- not use a previous existing value, if present; and we also need -- to memoize the nil in nilArgs, so that the value isn't looked -- up in the argument tables if it is accessed again. --]] metaArgs[key] = nil nilArgs[key] = 'h' else metaArgs[key] = val end end local function translatenext(invariant) local k, v = next(invariant.t, invariant.k) invariant.k = k if k == nil then return nil elseif type(k) ~= 'string' or not options.backtranslate then return k, v else local backtranslate = options.backtranslate[k] if backtranslate == nil then -- Skip this one. This is a tail call, so this won't cause stack overflow return translatenext(invariant) else return backtranslate, v end end end metatable.__pairs = function () -- Called when pairs is run on the args table. if not metatable.donePairs then mergeArgs(argTables) metatable.donePairs = true end return translatenext, { t = metaArgs } end local function inext(t, i) -- This uses our __index metamethod local v = t[i + 1] if v ~= nil then return i + 1, v end end metatable.__ipairs = function (t) -- Called when ipairs is run on the args table. return inext, t, 0 end return args end return arguments 3134ecce8429b810d445e29eae115e2ae4c36c53 Module:Documentation 828 212 515 2022-09-30T02:36:08Z dev>Pppery 0 Pppery moved page [[Module:Documentation/2]] to [[Module:Documentation]] without leaving a redirect Scribunto text/plain -- This module implements {{documentation}}. -- Get required modules. local getArgs = require('Module:Arguments').getArgs -- Get the config table. local cfg = mw.loadData('Module:Documentation/config') local p = {} -- Often-used functions. local ugsub = mw.ustring.gsub ---------------------------------------------------------------------------- -- Helper functions -- -- These are defined as local functions, but are made available in the p -- table for testing purposes. ---------------------------------------------------------------------------- local function message(cfgKey, valArray, expectType) --[[ -- Gets a message from the cfg table and formats it if appropriate. -- The function raises an error if the value from the cfg table is not -- of the type expectType. The default type for expectType is 'string'. -- If the table valArray is present, strings such as $1, $2 etc. in the -- message are substituted with values from the table keys [1], [2] etc. -- For example, if the message "foo-message" had the value 'Foo $2 bar $1.', -- message('foo-message', {'baz', 'qux'}) would return "Foo qux bar baz." --]] local msg = cfg[cfgKey] expectType = expectType or 'string' if type(msg) ~= expectType then error('message: type error in message cfg.' .. cfgKey .. ' (' .. expectType .. ' expected, got ' .. type(msg) .. ')', 2) end if not valArray then return msg end local function getMessageVal(match) match = tonumber(match) return valArray[match] or error('message: no value found for key $' .. match .. ' in message cfg.' .. cfgKey, 4) end return ugsub(msg, '$([1-9][0-9]*)', getMessageVal) end p.message = message local function makeWikilink(page, display) if display then return mw.ustring.format('[[%s|%s]]', page, display) else return mw.ustring.format('[[%s]]', page) end end p.makeWikilink = makeWikilink local function makeCategoryLink(cat, sort) local catns = mw.site.namespaces[14].name return makeWikilink(catns .. ':' .. cat, sort) end p.makeCategoryLink = makeCategoryLink local function makeUrlLink(url, display) return mw.ustring.format('[%s %s]', url, display) end p.makeUrlLink = makeUrlLink local function makeToolbar(...) local ret = {} local lim = select('#', ...) if lim < 1 then return nil end for i = 1, lim do ret[#ret + 1] = select(i, ...) end -- 'documentation-toolbar' return '<span class="' .. message('toolbar-class') .. '">(' .. table.concat(ret, ' &#124; ') .. ')</span>' end p.makeToolbar = makeToolbar ---------------------------------------------------------------------------- -- Argument processing ---------------------------------------------------------------------------- local function makeInvokeFunc(funcName) return function (frame) local args = getArgs(frame, { valueFunc = function (key, value) if type(value) == 'string' then value = value:match('^%s*(.-)%s*$') -- Remove whitespace. if key == 'heading' or value ~= '' then return value else return nil end else return value end end }) return p[funcName](args) end end ---------------------------------------------------------------------------- -- Entry points ---------------------------------------------------------------------------- function p.nonexistent(frame) if mw.title.getCurrentTitle().subpageText == 'testcases' then return frame:expandTemplate{title = 'module test cases notice'} else return p.main(frame) end end p.main = makeInvokeFunc('_main') function p._main(args) --[[ -- This function defines logic flow for the module. -- @args - table of arguments passed by the user --]] local env = p.getEnvironment(args) local root = mw.html.create() root :tag('div') -- 'documentation-container' :addClass(message('container')) :attr('role', 'complementary') :attr('aria-labelledby', args.heading ~= '' and 'documentation-heading' or nil) :attr('aria-label', args.heading == '' and 'Documentation' or nil) :newline() :tag('div') -- 'documentation' :addClass(message('main-div-classes')) :newline() :wikitext(p._startBox(args, env)) :wikitext(p._content(args, env)) :tag('div') -- 'documentation-clear' :addClass(message('clear')) :done() :newline() :done() :wikitext(p._endBox(args, env)) :done() :wikitext(p.addTrackingCategories(env)) -- 'Module:Documentation/styles.css' return mw.getCurrentFrame():extensionTag ( 'templatestyles', '', {src=cfg['templatestyles'] }) .. tostring(root) end ---------------------------------------------------------------------------- -- Environment settings ---------------------------------------------------------------------------- function p.getEnvironment(args) --[[ -- Returns a table with information about the environment, including title -- objects and other namespace- or path-related data. -- @args - table of arguments passed by the user -- -- Title objects include: -- env.title - the page we are making documentation for (usually the current title) -- env.templateTitle - the template (or module, file, etc.) -- env.docTitle - the /doc subpage. -- env.sandboxTitle - the /sandbox subpage. -- env.testcasesTitle - the /testcases subpage. -- -- Data includes: -- env.subjectSpace - the number of the title's subject namespace. -- env.docSpace - the number of the namespace the title puts its documentation in. -- env.docpageBase - the text of the base page of the /doc, /sandbox and /testcases pages, with namespace. -- env.compareUrl - URL of the Special:ComparePages page comparing the sandbox with the template. -- -- All table lookups are passed through pcall so that errors are caught. If an error occurs, the value -- returned will be nil. --]] local env, envFuncs = {}, {} -- Set up the metatable. If triggered we call the corresponding function in the envFuncs table. The value -- returned by that function is memoized in the env table so that we don't call any of the functions -- more than once. (Nils won't be memoized.) setmetatable(env, { __index = function (t, key) local envFunc = envFuncs[key] if envFunc then local success, val = pcall(envFunc) if success then env[key] = val -- Memoise the value. return val end end return nil end }) function envFuncs.title() -- The title object for the current page, or a test page passed with args.page. local title local titleArg = args.page if titleArg then title = mw.title.new(titleArg) else title = mw.title.getCurrentTitle() end return title end function envFuncs.templateTitle() --[[ -- The template (or module, etc.) title object. -- Messages: -- 'sandbox-subpage' --> 'sandbox' -- 'testcases-subpage' --> 'testcases' --]] local subjectSpace = env.subjectSpace local title = env.title local subpage = title.subpageText if subpage == message('sandbox-subpage') or subpage == message('testcases-subpage') then return mw.title.makeTitle(subjectSpace, title.baseText) else return mw.title.makeTitle(subjectSpace, title.text) end end function envFuncs.docTitle() --[[ -- Title object of the /doc subpage. -- Messages: -- 'doc-subpage' --> 'doc' --]] local title = env.title local docname = args[1] -- User-specified doc page. local docpage if docname then docpage = docname else docpage = env.docpageBase .. '/' .. message('doc-subpage') end return mw.title.new(docpage) end function envFuncs.sandboxTitle() --[[ -- Title object for the /sandbox subpage. -- Messages: -- 'sandbox-subpage' --> 'sandbox' --]] return mw.title.new(env.docpageBase .. '/' .. message('sandbox-subpage')) end function envFuncs.testcasesTitle() --[[ -- Title object for the /testcases subpage. -- Messages: -- 'testcases-subpage' --> 'testcases' --]] return mw.title.new(env.docpageBase .. '/' .. message('testcases-subpage')) end function envFuncs.subjectSpace() -- The subject namespace number. return mw.site.namespaces[env.title.namespace].subject.id end function envFuncs.docSpace() -- The documentation namespace number. For most namespaces this is the -- same as the subject namespace. However, pages in the Article, File, -- MediaWiki or Category namespaces must have their /doc, /sandbox and -- /testcases pages in talk space. local subjectSpace = env.subjectSpace if subjectSpace == 0 or subjectSpace == 6 or subjectSpace == 8 or subjectSpace == 14 then return subjectSpace + 1 else return subjectSpace end end function envFuncs.docpageBase() -- The base page of the /doc, /sandbox, and /testcases subpages. -- For some namespaces this is the talk page, rather than the template page. local templateTitle = env.templateTitle local docSpace = env.docSpace local docSpaceText = mw.site.namespaces[docSpace].name -- Assemble the link. docSpace is never the main namespace, so we can hardcode the colon. return docSpaceText .. ':' .. templateTitle.text end function envFuncs.compareUrl() -- Diff link between the sandbox and the main template using [[Special:ComparePages]]. local templateTitle = env.templateTitle local sandboxTitle = env.sandboxTitle if templateTitle.exists and sandboxTitle.exists then local compareUrl = mw.uri.fullUrl( 'Special:ComparePages', { page1 = templateTitle.prefixedText, page2 = sandboxTitle.prefixedText} ) return tostring(compareUrl) else return nil end end return env end ---------------------------------------------------------------------------- -- Start box ---------------------------------------------------------------------------- p.startBox = makeInvokeFunc('_startBox') function p._startBox(args, env) --[[ -- This function generates the start box. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- The actual work is done by p.makeStartBoxLinksData and p.renderStartBoxLinks which make -- the [view] [edit] [history] [purge] links, and by p.makeStartBoxData and p.renderStartBox -- which generate the box HTML. --]] env = env or p.getEnvironment(args) local links local content = args.content if not content or args[1] then -- No need to include the links if the documentation is on the template page itself. local linksData = p.makeStartBoxLinksData(args, env) if linksData then links = p.renderStartBoxLinks(linksData) end end -- Generate the start box html. local data = p.makeStartBoxData(args, env, links) if data then return p.renderStartBox(data) else -- User specified no heading. return nil end end function p.makeStartBoxLinksData(args, env) --[[ -- Does initial processing of data to make the [view] [edit] [history] [purge] links. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- Messages: -- 'view-link-display' --> 'view' -- 'edit-link-display' --> 'edit' -- 'history-link-display' --> 'history' -- 'purge-link-display' --> 'purge' -- 'module-preload' --> 'Template:Documentation/preload-module-doc' -- 'docpage-preload' --> 'Template:Documentation/preload' -- 'create-link-display' --> 'create' --]] local subjectSpace = env.subjectSpace local title = env.title local docTitle = env.docTitle if not title or not docTitle then return nil end if docTitle.isRedirect then docTitle = docTitle.redirectTarget end local data = {} data.title = title data.docTitle = docTitle -- View, display, edit, and purge links if /doc exists. data.viewLinkDisplay = message('view-link-display') data.editLinkDisplay = message('edit-link-display') data.historyLinkDisplay = message('history-link-display') data.purgeLinkDisplay = message('purge-link-display') -- Create link if /doc doesn't exist. local preload = args.preload if not preload then if subjectSpace == 828 then -- Module namespace preload = message('module-preload') else preload = message('docpage-preload') end end data.preload = preload data.createLinkDisplay = message('create-link-display') return data end function p.renderStartBoxLinks(data) --[[ -- Generates the [view][edit][history][purge] or [create][purge] links from the data table. -- @data - a table of data generated by p.makeStartBoxLinksData --]] local function escapeBrackets(s) -- Escapes square brackets with HTML entities. s = s:gsub('%[', '&#91;') -- Replace square brackets with HTML entities. s = s:gsub('%]', '&#93;') return s end local ret local docTitle = data.docTitle local title = data.title local purgeLink = makeUrlLink(title:fullUrl{action = 'purge'}, data.purgeLinkDisplay) if docTitle.exists then local viewLink = makeWikilink(docTitle.prefixedText, data.viewLinkDisplay) local editLink = makeUrlLink(docTitle:fullUrl{action = 'edit'}, data.editLinkDisplay) local historyLink = makeUrlLink(docTitle:fullUrl{action = 'history'}, data.historyLinkDisplay) ret = '[%s] [%s] [%s] [%s]' ret = escapeBrackets(ret) ret = mw.ustring.format(ret, viewLink, editLink, historyLink, purgeLink) else local createLink = makeUrlLink(docTitle:fullUrl{action = 'edit', preload = data.preload}, data.createLinkDisplay) ret = '[%s] [%s]' ret = escapeBrackets(ret) ret = mw.ustring.format(ret, createLink, purgeLink) end return ret end function p.makeStartBoxData(args, env, links) --[=[ -- Does initial processing of data to pass to the start-box render function, p.renderStartBox. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- @links - a string containing the [view][edit][history][purge] links - could be nil if there's an error. -- -- Messages: -- 'documentation-icon-wikitext' --> '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]' -- 'template-namespace-heading' --> 'Template documentation' -- 'module-namespace-heading' --> 'Module documentation' -- 'file-namespace-heading' --> 'Summary' -- 'other-namespaces-heading' --> 'Documentation' -- 'testcases-create-link-display' --> 'create' --]=] local subjectSpace = env.subjectSpace if not subjectSpace then -- Default to an "other namespaces" namespace, so that we get at least some output -- if an error occurs. subjectSpace = 2 end local data = {} -- Heading local heading = args.heading -- Blank values are not removed. if heading == '' then -- Don't display the start box if the heading arg is defined but blank. return nil end if heading then data.heading = heading elseif subjectSpace == 10 then -- Template namespace data.heading = message('documentation-icon-wikitext') .. ' ' .. message('template-namespace-heading') elseif subjectSpace == 828 then -- Module namespace data.heading = message('documentation-icon-wikitext') .. ' ' .. message('module-namespace-heading') elseif subjectSpace == 6 then -- File namespace data.heading = message('file-namespace-heading') else data.heading = message('other-namespaces-heading') end -- Heading CSS local headingStyle = args['heading-style'] if headingStyle then data.headingStyleText = headingStyle else -- 'documentation-heading' data.headingClass = message('main-div-heading-class') end -- Data for the [view][edit][history][purge] or [create] links. if links then -- 'mw-editsection-like plainlinks' data.linksClass = message('start-box-link-classes') data.links = links end return data end function p.renderStartBox(data) -- Renders the start box html. -- @data - a table of data generated by p.makeStartBoxData. local sbox = mw.html.create('div') sbox -- 'documentation-startbox' :addClass(message('start-box-class')) :newline() :tag('span') :addClass(data.headingClass) :attr('id', 'documentation-heading') :cssText(data.headingStyleText) :wikitext(data.heading) local links = data.links if links then sbox:tag('span') :addClass(data.linksClass) :attr('id', data.linksId) :wikitext(links) end return tostring(sbox) end ---------------------------------------------------------------------------- -- Documentation content ---------------------------------------------------------------------------- p.content = makeInvokeFunc('_content') function p._content(args, env) -- Displays the documentation contents -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment env = env or p.getEnvironment(args) local docTitle = env.docTitle local content = args.content if not content and docTitle and docTitle.exists then content = args._content or mw.getCurrentFrame():expandTemplate{title = docTitle.prefixedText} end -- The line breaks below are necessary so that "=== Headings ===" at the start and end -- of docs are interpreted correctly. return '\n' .. (content or '') .. '\n' end p.contentTitle = makeInvokeFunc('_contentTitle') function p._contentTitle(args, env) env = env or p.getEnvironment(args) local docTitle = env.docTitle if not args.content and docTitle and docTitle.exists then return docTitle.prefixedText else return '' end end ---------------------------------------------------------------------------- -- End box ---------------------------------------------------------------------------- p.endBox = makeInvokeFunc('_endBox') function p._endBox(args, env) --[=[ -- This function generates the end box (also known as the link box). -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- --]=] -- Get environment data. env = env or p.getEnvironment(args) local subjectSpace = env.subjectSpace local docTitle = env.docTitle if not subjectSpace or not docTitle then return nil end -- Check whether we should output the end box at all. Add the end -- box by default if the documentation exists or if we are in the -- user, module or template namespaces. local linkBox = args['link box'] if linkBox == 'off' or not ( docTitle.exists or subjectSpace == 2 or subjectSpace == 828 or subjectSpace == 10 ) then return nil end -- Assemble the link box. local text = '' if linkBox then text = text .. linkBox else text = text .. (p.makeDocPageBlurb(args, env) or '') -- "This documentation is transcluded from [[Foo]]." if subjectSpace == 2 or subjectSpace == 10 or subjectSpace == 828 then -- We are in the user, template or module namespaces. -- Add sandbox and testcases links. -- "Editors can experiment in this template's sandbox and testcases pages." text = text .. (p.makeExperimentBlurb(args, env) or '') .. '<br />' if not args.content and not args[1] then -- "Please add categories to the /doc subpage." -- Don't show this message with inline docs or with an explicitly specified doc page, -- as then it is unclear where to add the categories. text = text .. (p.makeCategoriesBlurb(args, env) or '') end text = text .. ' ' .. (p.makeSubpagesBlurb(args, env) or '') --"Subpages of this template" end end local box = mw.html.create('div') -- 'documentation-metadata' box:attr('role', 'note') :addClass(message('end-box-class')) -- 'plainlinks' :addClass(message('end-box-plainlinks')) :wikitext(text) :done() return '\n' .. tostring(box) end function p.makeDocPageBlurb(args, env) --[=[ -- Makes the blurb "This documentation is transcluded from [[Template:Foo]] (edit, history)". -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- Messages: -- 'edit-link-display' --> 'edit' -- 'history-link-display' --> 'history' -- 'transcluded-from-blurb' --> -- 'The above [[Wikipedia:Template documentation|documentation]] -- is [[Help:Transclusion|transcluded]] from $1.' -- 'module-preload' --> 'Template:Documentation/preload-module-doc' -- 'create-link-display' --> 'create' -- 'create-module-doc-blurb' --> -- 'You might want to $1 a documentation page for this [[Wikipedia:Lua|Scribunto module]].' --]=] local docTitle = env.docTitle if not docTitle then return nil end local ret if docTitle.exists then -- /doc exists; link to it. local docLink = makeWikilink(docTitle.prefixedText) local editUrl = docTitle:fullUrl{action = 'edit'} local editDisplay = message('edit-link-display') local editLink = makeUrlLink(editUrl, editDisplay) local historyUrl = docTitle:fullUrl{action = 'history'} local historyDisplay = message('history-link-display') local historyLink = makeUrlLink(historyUrl, historyDisplay) ret = message('transcluded-from-blurb', {docLink}) .. ' ' .. makeToolbar(editLink, historyLink) .. '<br />' elseif env.subjectSpace == 828 then -- /doc does not exist; ask to create it. local createUrl = docTitle:fullUrl{action = 'edit', preload = message('module-preload')} local createDisplay = message('create-link-display') local createLink = makeUrlLink(createUrl, createDisplay) ret = message('create-module-doc-blurb', {createLink}) .. '<br />' end return ret end function p.makeExperimentBlurb(args, env) --[[ -- Renders the text "Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages." -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- Messages: -- 'sandbox-link-display' --> 'sandbox' -- 'sandbox-edit-link-display' --> 'edit' -- 'compare-link-display' --> 'diff' -- 'module-sandbox-preload' --> 'Template:Documentation/preload-module-sandbox' -- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox' -- 'sandbox-create-link-display' --> 'create' -- 'mirror-edit-summary' --> 'Create sandbox version of $1' -- 'mirror-link-display' --> 'mirror' -- 'mirror-link-preload' --> 'Template:Documentation/mirror' -- 'sandbox-link-display' --> 'sandbox' -- 'testcases-link-display' --> 'testcases' -- 'testcases-edit-link-display'--> 'edit' -- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox' -- 'testcases-create-link-display' --> 'create' -- 'testcases-link-display' --> 'testcases' -- 'testcases-edit-link-display' --> 'edit' -- 'module-testcases-preload' --> 'Template:Documentation/preload-module-testcases' -- 'template-testcases-preload' --> 'Template:Documentation/preload-testcases' -- 'experiment-blurb-module' --> 'Editors can experiment in this module's $1 and $2 pages.' -- 'experiment-blurb-template' --> 'Editors can experiment in this template's $1 and $2 pages.' --]] local subjectSpace = env.subjectSpace local templateTitle = env.templateTitle local sandboxTitle = env.sandboxTitle local testcasesTitle = env.testcasesTitle local templatePage = templateTitle.prefixedText if not subjectSpace or not templateTitle or not sandboxTitle or not testcasesTitle then return nil end -- Make links. local sandboxLinks, testcasesLinks if sandboxTitle.exists then local sandboxPage = sandboxTitle.prefixedText local sandboxDisplay = message('sandbox-link-display') local sandboxLink = makeWikilink(sandboxPage, sandboxDisplay) local sandboxEditUrl = sandboxTitle:fullUrl{action = 'edit'} local sandboxEditDisplay = message('sandbox-edit-link-display') local sandboxEditLink = makeUrlLink(sandboxEditUrl, sandboxEditDisplay) local compareUrl = env.compareUrl local compareLink if compareUrl then local compareDisplay = message('compare-link-display') compareLink = makeUrlLink(compareUrl, compareDisplay) end sandboxLinks = sandboxLink .. ' ' .. makeToolbar(sandboxEditLink, compareLink) else local sandboxPreload if subjectSpace == 828 then sandboxPreload = message('module-sandbox-preload') else sandboxPreload = message('template-sandbox-preload') end local sandboxCreateUrl = sandboxTitle:fullUrl{action = 'edit', preload = sandboxPreload} local sandboxCreateDisplay = message('sandbox-create-link-display') local sandboxCreateLink = makeUrlLink(sandboxCreateUrl, sandboxCreateDisplay) local mirrorSummary = message('mirror-edit-summary', {makeWikilink(templatePage)}) local mirrorPreload = message('mirror-link-preload') local mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = mirrorPreload, summary = mirrorSummary} if subjectSpace == 828 then mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = templateTitle.prefixedText, summary = mirrorSummary} end local mirrorDisplay = message('mirror-link-display') local mirrorLink = makeUrlLink(mirrorUrl, mirrorDisplay) sandboxLinks = message('sandbox-link-display') .. ' ' .. makeToolbar(sandboxCreateLink, mirrorLink) end if testcasesTitle.exists then local testcasesPage = testcasesTitle.prefixedText local testcasesDisplay = message('testcases-link-display') local testcasesLink = makeWikilink(testcasesPage, testcasesDisplay) local testcasesEditUrl = testcasesTitle:fullUrl{action = 'edit'} local testcasesEditDisplay = message('testcases-edit-link-display') local testcasesEditLink = makeUrlLink(testcasesEditUrl, testcasesEditDisplay) -- for Modules, add testcases run link if exists if testcasesTitle.contentModel == "Scribunto" and testcasesTitle.talkPageTitle and testcasesTitle.talkPageTitle.exists then local testcasesRunLinkDisplay = message('testcases-run-link-display') local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay) testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink, testcasesRunLink) else testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink) end else local testcasesPreload if subjectSpace == 828 then testcasesPreload = message('module-testcases-preload') else testcasesPreload = message('template-testcases-preload') end local testcasesCreateUrl = testcasesTitle:fullUrl{action = 'edit', preload = testcasesPreload} local testcasesCreateDisplay = message('testcases-create-link-display') local testcasesCreateLink = makeUrlLink(testcasesCreateUrl, testcasesCreateDisplay) testcasesLinks = message('testcases-link-display') .. ' ' .. makeToolbar(testcasesCreateLink) end local messageName if subjectSpace == 828 then messageName = 'experiment-blurb-module' else messageName = 'experiment-blurb-template' end return message(messageName, {sandboxLinks, testcasesLinks}) end function p.makeCategoriesBlurb(args, env) --[[ -- Generates the text "Please add categories to the /doc subpage." -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- Messages: -- 'doc-link-display' --> '/doc' -- 'add-categories-blurb' --> 'Please add categories to the $1 subpage.' --]] local docTitle = env.docTitle if not docTitle then return nil end local docPathLink = makeWikilink(docTitle.prefixedText, message('doc-link-display')) return message('add-categories-blurb', {docPathLink}) end function p.makeSubpagesBlurb(args, env) --[[ -- Generates the "Subpages of this template" link. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- Messages: -- 'template-pagetype' --> 'template' -- 'module-pagetype' --> 'module' -- 'default-pagetype' --> 'page' -- 'subpages-link-display' --> 'Subpages of this $1' --]] local subjectSpace = env.subjectSpace local templateTitle = env.templateTitle if not subjectSpace or not templateTitle then return nil end local pagetype if subjectSpace == 10 then pagetype = message('template-pagetype') elseif subjectSpace == 828 then pagetype = message('module-pagetype') else pagetype = message('default-pagetype') end local subpagesLink = makeWikilink( 'Special:PrefixIndex/' .. templateTitle.prefixedText .. '/', message('subpages-link-display', {pagetype}) ) return message('subpages-blurb', {subpagesLink}) end ---------------------------------------------------------------------------- -- Tracking categories ---------------------------------------------------------------------------- function p.addTrackingCategories(env) --[[ -- Check if {{documentation}} is transcluded on a /doc or /testcases page. -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- Messages: -- 'display-strange-usage-category' --> true -- 'doc-subpage' --> 'doc' -- 'testcases-subpage' --> 'testcases' -- 'strange-usage-category' --> 'Wikipedia pages with strange ((documentation)) usage' -- -- /testcases pages in the module namespace are not categorised, as they may have -- {{documentation}} transcluded automatically. --]] local title = env.title local subjectSpace = env.subjectSpace if not title or not subjectSpace then return nil end local subpage = title.subpageText local ret = '' if message('display-strange-usage-category', nil, 'boolean') and ( subpage == message('doc-subpage') or subjectSpace ~= 828 and subpage == message('testcases-subpage') ) then ret = ret .. makeCategoryLink(message('strange-usage-category')) end return ret end return p 78cc3a78f2b5dbb267fa16027c0800a22dbd3c42 Template:Infobox 10 208 507 2022-09-30T14:45:57Z dev>Pppery 0 Copy from Wikipedia wikitext text/x-wiki {{#invoke:Infobox|infobox}}<noinclude> {{documentation}} </noinclude> 627ee6fcf4d4f108fe054b5c476201cad0ed7717 Module:Infobox 828 207 527 2022-09-30T14:52:23Z dev>Pppery 0 Scribunto text/plain -- -- This module implements {{Infobox}} -- local p = {} local args = {} local origArgs = {} local root local function notempty( s ) return s and s:match( '%S' ) end local function fixChildBoxes(sval, tt) if notempty(sval) then local marker = '<span class=special_infobox_marker>' local s = sval s = mw.ustring.gsub(s, '(<%s*[Tt][Rr])', marker .. '%1') s = mw.ustring.gsub(s, '(</[Tt][Rr]%s*>)', '%1' .. marker) if s:match(marker) then s = mw.ustring.gsub(s, marker .. '%s*' .. marker, '') s = mw.ustring.gsub(s, '([\r\n]|-[^\r\n]*[\r\n])%s*' .. marker, '%1') s = mw.ustring.gsub(s, marker .. '%s*([\r\n]|-)', '%1') s = mw.ustring.gsub(s, '(</[Cc][Aa][Pp][Tt][Ii][Oo][Nn]%s*>%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '(<%s*[Tt][Aa][Bb][Ll][Ee][^<>]*>%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '^(%{|[^\r\n]*[\r\n]%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '([\r\n]%{|[^\r\n]*[\r\n]%s*)' .. marker, '%1') s = mw.ustring.gsub(s, marker .. '(%s*</[Tt][Aa][Bb][Ll][Ee]%s*>)', '%1') s = mw.ustring.gsub(s, marker .. '(%s*\n|%})', '%1') end if s:match(marker) then local subcells = mw.text.split(s, marker) s = '' for k = 1, #subcells do if k == 1 then s = s .. subcells[k] .. '</' .. tt .. '></tr>' elseif k == #subcells then local rowstyle = ' style="display:none"' if notempty(subcells[k]) then rowstyle = '' end s = s .. '<tr' .. rowstyle ..'><' .. tt .. ' colspan=2>\n' .. subcells[k] elseif notempty(subcells[k]) then if (k % 2) == 0 then s = s .. subcells[k] else s = s .. '<tr><' .. tt .. ' colspan=2>\n' .. subcells[k] .. '</' .. tt .. '></tr>' end end end end -- the next two lines add a newline at the end of lists for the PHP parser -- https://en.wikipedia.org/w/index.php?title=Template_talk:Infobox_musical_artist&oldid=849054481 -- remove when [[:phab:T191516]] is fixed or OBE s = mw.ustring.gsub(s, '([\r\n][%*#;:][^\r\n]*)$', '%1\n') s = mw.ustring.gsub(s, '^([%*#;:][^\r\n]*)$', '%1\n') s = mw.ustring.gsub(s, '^([%*#;:])', '\n%1') s = mw.ustring.gsub(s, '^(%{%|)', '\n%1') return s else return sval end end local function union(t1, t2) -- Returns the union of the values of two tables, as a sequence. local vals = {} for k, v in pairs(t1) do vals[v] = true end for k, v in pairs(t2) do vals[v] = true end local ret = {} for k, v in pairs(vals) do table.insert(ret, k) end return ret end local function getArgNums(prefix) -- Returns a table containing the numbers of the arguments that exist -- for the specified prefix. For example, if the prefix was 'data', and -- 'data1', 'data2', and 'data5' exist, it would return {1, 2, 5}. local nums = {} for k, v in pairs(args) do local num = tostring(k):match('^' .. prefix .. '([1-9]%d*)$') if num then table.insert(nums, tonumber(num)) end end table.sort(nums) return nums end local function addRow(rowArgs) -- Adds a row to the infobox, with either a header cell -- or a label/data cell combination. if rowArgs.header and rowArgs.header ~= '_BLANK_' then root :tag('tr') :addClass(rowArgs.rowclass) :cssText(rowArgs.rowstyle) :attr('id', rowArgs.rowid) :tag('th') :attr('colspan', 2) :attr('id', rowArgs.headerid) :addClass(rowArgs.class) :addClass(args.headerclass) :css('text-align', 'center') :cssText(args.headerstyle) :cssText(rowArgs.rowcellstyle) :wikitext(fixChildBoxes(rowArgs.header, 'th')) elseif rowArgs.data then if not rowArgs.data:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('^%S') then rowArgs.rowstyle = 'display:none' end local row = root:tag('tr') row:addClass(rowArgs.rowclass) row:cssText(rowArgs.rowstyle) row:attr('id', rowArgs.rowid) if rowArgs.label then row :tag('th') :attr('scope', 'row') :attr('id', rowArgs.labelid) :cssText(args.labelstyle) :cssText(rowArgs.rowcellstyle) :wikitext(rowArgs.label) :done() end local dataCell = row:tag('td') if not rowArgs.label then dataCell :attr('colspan', 2) :css('text-align', 'center') end dataCell :attr('id', rowArgs.dataid) :addClass(rowArgs.class) :cssText(rowArgs.datastyle) :cssText(rowArgs.rowcellstyle) :wikitext(fixChildBoxes(rowArgs.data, 'td')) end end local function renderTitle() if not args.title then return end root :tag('caption') :addClass(args.titleclass) :cssText(args.titlestyle) :wikitext(args.title) end local function renderAboveRow() if not args.above then return end root :tag('tr') :tag('th') :attr('colspan', 2) :addClass(args.aboveclass) :css('text-align', 'center') :css('font-size', '125%') :css('font-weight', 'bold') :cssText(args.abovestyle) :wikitext(fixChildBoxes(args.above,'th')) end local function renderBelowRow() if not args.below then return end root :tag('tr') :tag('td') :attr('colspan', '2') :addClass(args.belowclass) :css('text-align', 'center') :cssText(args.belowstyle) :wikitext(fixChildBoxes(args.below,'td')) end local function renderSubheaders() if args.subheader then args.subheader1 = args.subheader end if args.subheaderrowclass then args.subheaderrowclass1 = args.subheaderrowclass end local subheadernums = getArgNums('subheader') for k, num in ipairs(subheadernums) do addRow({ data = args['subheader' .. tostring(num)], datastyle = args.subheaderstyle, rowcellstyle = args['subheaderstyle' .. tostring(num)], class = args.subheaderclass, rowclass = args['subheaderrowclass' .. tostring(num)] }) end end local function renderImages() if args.image then args.image1 = args.image end if args.caption then args.caption1 = args.caption end local imagenums = getArgNums('image') for k, num in ipairs(imagenums) do local caption = args['caption' .. tostring(num)] local data = mw.html.create():wikitext(args['image' .. tostring(num)]) if caption then data :tag('div') :cssText(args.captionstyle) :wikitext(caption) end addRow({ data = tostring(data), datastyle = args.imagestyle, class = args.imageclass, rowclass = args['imagerowclass' .. tostring(num)] }) end end local function preprocessRows() -- Gets the union of the header and data argument numbers, -- and renders them all in order using addRow. local rownums = union(getArgNums('header'), getArgNums('data')) table.sort(rownums) local lastheader for k, num in ipairs(rownums) do if args['header' .. tostring(num)] then if lastheader then args['header' .. tostring(lastheader)] = nil end lastheader = num elseif args['data' .. tostring(num)] and args['data' .. tostring(num)]:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('^%S') then local data = args['data' .. tostring(num)] if data:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('%S') then lastheader = nil end end end if lastheader then args['header' .. tostring(lastheader)] = nil end end local function renderRows() -- Gets the union of the header and data argument numbers, -- and renders them all in order using addRow. local rownums = union(getArgNums('header'), getArgNums('data')) table.sort(rownums) for k, num in ipairs(rownums) do addRow({ header = args['header' .. tostring(num)], label = args['label' .. tostring(num)], data = args['data' .. tostring(num)], datastyle = args.datastyle, class = args['class' .. tostring(num)], rowclass = args['rowclass' .. tostring(num)], rowstyle = args['rowstyle' .. tostring(num)], rowcellstyle = args['rowcellstyle' .. tostring(num)], dataid = args['dataid' .. tostring(num)], labelid = args['labelid' .. tostring(num)], headerid = args['headerid' .. tostring(num)], rowid = args['rowid' .. tostring(num)] }) end end local function renderItalicTitle() local italicTitle = args['italic title'] and mw.ustring.lower(args['italic title']) if italicTitle == '' or italicTitle == 'force' or italicTitle == 'yes' then root:wikitext(mw.getCurrentFrame():expandTemplate({title = 'italic title'})) end end local function _infobox() -- Specify the overall layout of the infobox, with special settings -- if the infobox is used as a 'child' inside another infobox. if args.child ~= 'yes' then root = mw.html.create('table') root :addClass((args.subbox ~= 'yes') and 'infobox' or nil) :addClass(args.bodyclass) if args.subbox == 'yes' then root :css('padding', '0') :css('border', 'none') :css('margin', '-3px') :css('width', 'auto') :css('min-width', '100%') :css('font-size', '100%') :css('clear', 'none') :css('float', 'none') :css('background-color', 'transparent') else root :css('width', '22em') end root :cssText(args.bodystyle) renderTitle() renderAboveRow() else root = mw.html.create() root :wikitext(args.title) end renderSubheaders() renderImages() if args.autoheaders then preprocessRows() end renderRows() renderBelowRow() renderItalicTitle() return tostring(root) end local function preprocessSingleArg(argName) -- If the argument exists and isn't blank, add it to the argument table. -- Blank arguments are treated as nil to match the behaviour of ParserFunctions. if origArgs[argName] and origArgs[argName] ~= '' then args[argName] = origArgs[argName] end end local function preprocessArgs(prefixTable, step) -- Assign the parameters with the given prefixes to the args table, in order, in batches -- of the step size specified. This is to prevent references etc. from appearing in the -- wrong order. The prefixTable should be an array containing tables, each of which has -- two possible fields, a "prefix" string and a "depend" table. The function always parses -- parameters containing the "prefix" string, but only parses parameters in the "depend" -- table if the prefix parameter is present and non-blank. if type(prefixTable) ~= 'table' then error("Non-table value detected for the prefix table", 2) end if type(step) ~= 'number' then error("Invalid step value detected", 2) end -- Get arguments without a number suffix, and check for bad input. for i,v in ipairs(prefixTable) do if type(v) ~= 'table' or type(v.prefix) ~= "string" or (v.depend and type(v.depend) ~= 'table') then error('Invalid input detected to preprocessArgs prefix table', 2) end preprocessSingleArg(v.prefix) -- Only parse the depend parameter if the prefix parameter is present and not blank. if args[v.prefix] and v.depend then for j, dependValue in ipairs(v.depend) do if type(dependValue) ~= 'string' then error('Invalid "depend" parameter value detected in preprocessArgs') end preprocessSingleArg(dependValue) end end end -- Get arguments with number suffixes. local a = 1 -- Counter variable. local moreArgumentsExist = true while moreArgumentsExist == true do moreArgumentsExist = false for i = a, a + step - 1 do for j,v in ipairs(prefixTable) do local prefixArgName = v.prefix .. tostring(i) if origArgs[prefixArgName] then moreArgumentsExist = true -- Do another loop if any arguments are found, even blank ones. preprocessSingleArg(prefixArgName) end -- Process the depend table if the prefix argument is present and not blank, or -- we are processing "prefix1" and "prefix" is present and not blank, and -- if the depend table is present. if v.depend and (args[prefixArgName] or (i == 1 and args[v.prefix])) then for j,dependValue in ipairs(v.depend) do local dependArgName = dependValue .. tostring(i) preprocessSingleArg(dependArgName) end end end end a = a + step end end local function parseDataParameters() -- Parse the data parameters in the same order that the old {{infobox}} did, so that -- references etc. will display in the expected places. Parameters that depend on -- another parameter are only processed if that parameter is present, to avoid -- phantom references appearing in article reference lists. preprocessSingleArg('autoheaders') preprocessSingleArg('child') preprocessSingleArg('bodyclass') preprocessSingleArg('subbox') preprocessSingleArg('bodystyle') preprocessSingleArg('title') preprocessSingleArg('titleclass') preprocessSingleArg('titlestyle') preprocessSingleArg('above') preprocessSingleArg('aboveclass') preprocessSingleArg('abovestyle') preprocessArgs({ {prefix = 'subheader', depend = {'subheaderstyle', 'subheaderrowclass'}} }, 10) preprocessSingleArg('subheaderstyle') preprocessSingleArg('subheaderclass') preprocessArgs({ {prefix = 'image', depend = {'caption', 'imagerowclass'}} }, 10) preprocessSingleArg('captionstyle') preprocessSingleArg('imagestyle') preprocessSingleArg('imageclass') preprocessArgs({ {prefix = 'header'}, {prefix = 'data', depend = {'label'}}, {prefix = 'rowclass'}, {prefix = 'rowstyle'}, {prefix = 'rowcellstyle'}, {prefix = 'class'}, {prefix = 'dataid'}, {prefix = 'labelid'}, {prefix = 'headerid'}, {prefix = 'rowid'} }, 50) preprocessSingleArg('headerclass') preprocessSingleArg('headerstyle') preprocessSingleArg('labelstyle') preprocessSingleArg('datastyle') preprocessSingleArg('below') preprocessSingleArg('belowclass') preprocessSingleArg('belowstyle') preprocessSingleArg('name') args['italic title'] = origArgs['italic title'] -- different behaviour if blank or absent preprocessSingleArg('decat') end function p.infobox(frame) -- If called via #invoke, use the args passed into the invoking template. -- Otherwise, for testing purposes, assume args are being passed directly in. if frame == mw.getCurrentFrame() then origArgs = frame:getParent().args else origArgs = frame end parseDataParameters() return _infobox() end function p.infoboxTemplate(frame) -- For calling via #invoke within a template origArgs = {} for k,v in pairs(frame.args) do origArgs[k] = mw.text.trim(v) end parseDataParameters() return _infobox() end return p c6ac51f9e2faf9c2f3aba1fb8c05af98db47f4d4 Template:Infobox/doc 10 218 529 2022-09-30T19:09:06Z dev>Pppery 0 wikitext text/x-wiki {{Documentation subpage}} This template is intended as a meta template: a template used for constructing other templates. '''Note''': In general, it is not meant for use directly in an article, but can be used on a one-off basis if required. [[w:Help:Infobox]] contains an introduction about the recommended content and design of infoboxes. == Usage == Usage is similar to {{tl|navbox}}, but with an additional distinction. Each row on the table can contain either a header, or a label/data pair, or just a data cell. These are mutually exclusive states so if you define a row with both a header and a label/data pair, the label/data pair is ignored. To insert an image somewhere other than at the top of the infobox, or to insert freeform data, use a row with only a data field. == Optional control parameters == ; name : If this parameter is present, "view/talk/edit" links will be added to the bottom of the infobox, pointing to the named page. You may use the value <nowiki>{{subst:PAGENAME}}</nowiki>; however this is rarely what you want, because it will send users clicking these links in an infobox in an article to the template code rather than the data in the infobox that they probably want to change. ; child : See the [[#Embedding|Embedding]] section for details. If this is set to "yes", this child infobox should be titled but have no name parameter. This parameter is empty by default, set it to "yes" to activate it. ; subbox : See the [[#Subboxes|Subboxes]] section for details. If this is set to "yes", this subbox should be titled but have no name parameter. This parameter is empty by default, set to "yes" to activate it. It has no effect if the '''child''' parameter is also set to "yes". ; decat : If this is set to "yes", the current page will not be autocategorized in a maintenance category when the generated infobox has some problems or no visible data section. Leave empty by default or set to "yes" to activate it. == Content parameters == === Title === There are two different ways to put a title on an infobox. One contains the title inside the infobox's border in the uppermost cell of the table, the other puts as a caption it on top of the table. You can use both of them together if you like, or just one or the other, or even neither (though this is not recommended): ; title : Text to put in the caption over the top of the table (or as section header before the whole content of this table, if this is a child infobox). For accessibility reasons, this is the most recommended alternative. ; above : Text to put within the uppermost cell of the table. ; subheader(n) : additional title fields which fit below {{{title}}} and {{{above}}}, but before images. Examples: {{Infobox | name = Infobox/doc | title = Text in caption over infobox | subheader = Subheader of the infobox | header = (the rest of the infobox goes here) }} <pre style="overflow:auto"> {{Infobox | name = {{subst:PAGENAME}} | title = Text in caption over infobox | subheader = Subheader of the infobox | header = (the rest of the infobox goes here) }} </pre>{{clear}} {{Infobox | name = Infobox/doc | above = Text in uppermost cell of infobox | subheader = Subheader of the infobox | subheader2 = Second subheader of the infobox | header = (the rest of the infobox goes here) }} <pre style="overflow:auto"> {{Infobox | name = {{subst:PAGENAME}} | above = Text in uppermost cell of infobox | subheader = Subheader of the infobox | subheader2 = Second subheader of the infobox | header = (the rest of the infobox goes here) }} </pre>{{clear}} === Illustration images === ; image(n) : images to display at the top of the template. Use full image syntax, for example <nowiki>[[File:example.png|200px|alt=Example alt text]]</nowiki>. Image is centered by default. ; caption(n) : Text to put underneath the images. === Main data === ; header(n) : Text to use as a header in row n. ; label(n) : Text to use as a label in row n. ; data(n) : Text to display as data in row n. Note: for any given value for (n), not all combinations of parameters are permitted. The presence of a header''(n)'' parameter will cause the corresponding data''(n)'' (and rowclass''(n)'' label''(n)'', see below) parameters to be ignored; the absence of a data''(n)'' parameters will cause the corresponding label''(n)'' parameters to be ignored. Valid combinations for any single row are: * |class''(n)''= |header''(n)''= * |rowclass''(n)'= |class''(n)''= |data''(n)''= * |rowclass''(n)''= |label''(n)''= |class''(n)''= data''(n)''= See the rendering of header4, label4, and data4 in the [[#Examples|Examples]] section below. ==== Number ranges ==== To allow flexibility when the layout of an infobox is changed, it may be helpful when developing an infobox to use non-contiguous numbers for header and label/data rows. Parameters for new rows can then be inserted in future without having to renumber existing parameters. For example: <pre style="overflow:auto"> | header3 = Section 1 | label5 = Label A | data5 = Data A | label7 = Label C | data7 = Data C | header10 = Section 2 | label12 = Label D | data12 = Data D </pre>{{clear}} ==== Making data fields optional ==== A row with a label but no data is not displayed. This allows for the easy creation of optional infobox content rows. To make a row optional use a parameter that defaults to an empty string, like so: <pre style="overflow:auto"> | label5 = Population | data5 = {{{population|}}} </pre>{{clear}} This way if an article doesn't define the population parameter in its infobox the row won't be displayed. For more complex fields with pre-formatted contents that would still be present even if the parameter wasn't set, you can wrap it all in an "#if" statement to make the whole thing vanish when the parameter is not used. For instance, the "#if" statement in the following example reads "#if:the parameter ''mass'' has been supplied |then display it, followed by 'kg'": <pre style="overflow:auto"> | label6 = Mass | data6 = {{ #if: {{{mass|}}} | {{{mass}}} kg }} </pre>{{clear}} For more on #if, see [[mw:Help:Extension:ParserFunctions##if|here]]. ==== Hiding headers when all data fields are hidden ==== You can also make headers optional in a similar way. Consider this example: {{Infobox | title = Example of an undesirable header | header1 = Undesirable header | label2 = Item 1 | data2 = | label3 = Item 2 | data3 = | label4 = Item 3 | data4 = | header5 = Static header | label6 = Static item | data6 = Static value }} <pre style="overflow:auto"> {{Infobox | title = Example of an undesirable header | header1 = Undesirable header | label2 = Item 1 | data2 = | label3 = Item 2 | data3 = | label4 = Item 3 | data4 = | header5 = Static header | label6 = Static item | data6 = Static value }} </pre>{{clear}} If you want the first header to appear only if one or more of the data fields that fall under it are filled, one could use the following pattern as an example of how to do it: {{Infobox | title = Example of an optional header | header1 = {{ #if: {{{item1|}}}{{{item2|}}}{{{item3|}}} | Optional header }} | label2 = Item 1 | data2 = {{{item1|}}} | label3 = Item 2 | data3 = {{{item2|}}} | label4 = Item 3 | data4 = {{{item3|}}} | header5 = Static header | label6 = Static item | data6 = Static value }} <pre style="overflow:auto"> {{Infobox | title = Example of an optional header | header1 = {{ #if: {{{item1|}}}{{{item2|}}}{{{item3|}}} | Optional header }} | label2 = Item 1 | data2 = {{{item1|}}} | label3 = Item 2 | data3 = {{{item2|}}} | label4 = Item 3 | data4 = {{{item3|}}} | header5 = Static header | label6 = Static item | data6 = Static value }} </pre>{{clear}} header1 will be shown if any of item1, item2, or item3 is defined. If none of the three parameters are defined the header won't be shown and no empty row appears before the next static content. The trick to this is that the "#if" returns false only if there is nothing whatsoever in the conditional section, so only if all three of item1, item2 and item3 are undefined will the if statement fail. Note that such trick may be sometimes very complex to test if there are many data items whose value depends on complex tests (or when a data row is generated by a recursive invocation of this template as a [[#Subboxes|subbox]]). Ideally, the Lua module supporting this template should now support a new way to make each header row autohideable by detecting if there is at least one non-empty data row after that header row (a parameter like "autohide header1 = yes", for example, would remove the need to perform the "#if" test so that we can just to define "header1 = Optional header"), === Footer === ; below : Text to put in the bottom cell. The bottom cell is intended for footnotes, see-also, and other such information. == Presentation parameters == === Italic titles === Titles of articles with infoboxes may be made italic by passing the <code>italic title</code> parameter. * Turn on italic titles by passing |italic title=<nowiki>{{{italic title|}}}</nowiki> from the infobox. * Turn off by default (notably because only Latin script may be safely rendered in this style and italic may be needed to distinguish foreign language from local English language only in that script, but would be difficult to read for other scripts) but allow some instances to be made italic by passing |italic title=<nowiki>{{{italic title|no}}}</nowiki> * Do not make any titles italic by not passing the parameter at all. === CSS styling === ; bodystyle : Applies to the infobox table as a whole ; titlestyle : Applies only to the title caption. Adding a background color is usually inadvisable since the text is rendered "outside" the infobox. ; abovestyle : Applies only to the "above" cell at the top. The default style has font-size:125%; since this cell is usually used for a title, if you want to use the above cell for regular-sized text include "font-size:100%;" in the abovestyle. ; imagestyle : Applies to the cell the image is in. This includes the text of the image caption, but you should set text properties with captionstyle instead of imagestyle in case the caption is moved out of this cell in the future. ; captionstyle : Applies to the text of the image caption. ; rowstyle(n) : This parameter is inserted into the <code>style</code> attribute for the specified row. ; headerstyle : Applies to all header cells ; labelstyle : Applies to all label cells ; datastyle : Applies to all data cells ; belowstyle : Applies only to the below cell === HTML classes and microformats === ; bodyclass : This parameter is inserted into the <code>class</code> attribute for the infobox as a whole. ; titleclass : This parameter is inserted into the <code>class</code> attribute for the infobox's '''title''' caption. <!-- currently not implemented in Lua module ; aboverowclass : This parameter is inserted into the <code>class</code> attribute for the complete table row the '''above''' cell is on. --> ; aboveclass : This parameter is inserted into the <code>class</code> attribute for the infobox's '''above''' cell. ; subheaderrowclass(n) : This parameter is inserted into the <code>class</code> attribute for the complete table row the '''subheader''' is on. ; subheaderclass(n) : This parameter is inserted into the <code>class</code> attribute for the infobox's '''subheader'''. ; imagerowclass(n) : These parameters are inserted into the <code>class</code> attribute for the complete table row their respective '''image''' is on. ; imageclass : This parameter is inserted into the <code>class</code> attribute for the '''image'''. ; rowclass(n) : This parameter is inserted into the <code>class</code> attribute for the specified row including the '''label''' and '''data''' cells. ; class(n) : This parameter is inserted into the <code>class</code> attribute for the '''data''' cell of the specified row. If there's no '''data''' cell it has no effect. <!-- currently not implemented in Lua module ; belowrowclass : This parameter is inserted into the <code>class</code> attribute for the complete table row the '''below''' cell is on. --> ; belowclass : This parameter is inserted into the <code>class</code> attribute for the infobox's '''below''' cell. This template supports the addition of microformat information. This is done by adding "class" attributes to various data cells, indicating what kind of information is contained within. Multiple class names may be specified, separated by spaces, some of them being used as selectors for custom styling according to a project policy or to the skin selected in user preferences, others beig used for microformats. To flag an infobox as containing [[w:hCard|hCard]] information, for example, add the following parameter: <pre style="overflow:auto"> | bodyclass = vcard </pre>{{clear}} And for each row containing a data cell that's part of the vcard, add a corresponding class parameter: <pre style="overflow:auto"> | class1 = fn | class2 = org | class3 = tel </pre>{{clear}} ...and so forth. "above" and "title" can also be given classes, since these are usually used to display the name of the subject of the infobox. See [[w:microformat]] for more information on microformats in general. == Examples == Notice how the row doesn't appear in the displayed infobox when a '''label''' is defined without an accompanying '''data''' cell, and how all of them are displayed when a '''header''' is defined on the same row as a '''data''' cell. Also notice that '''subheaders''' are not bold by default like the '''headers''' used to split the main data section, because this role is meant to be for the '''above''' cell : {{Infobox |name = Infobox/doc |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = Test Infobox |above = Above text |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = |image = [[File:Example-serious.jpg|200px|alt=Example alt text]] |caption = Caption displayed below File:Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} <pre style="overflow:auto"> {{Infobox |name = {{subst:PAGENAME}} |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = Test Infobox |above = Above text |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:Example-serious.jpg|200px|alt=Example alt text]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} </pre>{{clear}} For this example, the '''bodystyle''' and '''labelstyle''' parameters are used to adjust the infobox width and define a default width for the column of labels: {{Infobox |name = Infobox/doc |bodystyle = width:20em |titlestyle = |title = Test Infobox |headerstyle = |labelstyle = width:33% |datastyle = |header1 = | label1 = Label 1 | data1 = Data 1 |header2 = | label2 = Label 2 | data2 = Data 2 |header3 = | label3 = Label 3 | data3 = Data 3 |header4 = Header 4 | label4 = | data4 = |header5 = | label5 = Label 5 | data5 = Data 5: Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. |belowstyle = |below = Below text }} <pre style="overflow: auto"> {{Infobox |name = {{subst:PAGENAME}} |bodystyle = width:20em |titlestyle = |title = Test Infobox |headerstyle = |labelstyle = width:33% |datastyle = |header1 = | label1 = Label 1 | data1 = Data 1 |header2 = | label2 = Label 2 | data2 = Data 2 |header3 = | label3 = Label 3 | data3 = Data 3 |header4 = Header 4 | label4 = | data4 = |header5 = | label5 = Label 5 | data5 = Data 5: Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. |belowstyle = |below = Below text }} </pre>{{clear}} == Embedding == One infobox template can be embedded into another using the |child= parameter or the |embed= parameter. This feature can be used to create a modular infobox, or to create better-defined logical sections. Long ago, it was necessary to use embedding in order to create infoboxes with more than 99 rows; but nowadays there's no limit to the number of rows that can be defined in a single instance of <code><nowiki>{{infobox}}</nowiki></code>. {{Infobox | title = Top level title | data1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | data2 = {{Infobox | decat = yes | child = yes |title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} <pre style="overflow:auto"> {{Infobox | title = Top level title | data1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | data2 = {{Infobox | decat = yes | child = yes |title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} </pre>{{clear}} Note, in the examples above, the child infobox is placed in a <code>data</code> field, not a <code>header</code> field. Notice that the section subheadings are not in bold font if bolding is not explicitly specified. To obtain bold section headings, place the child infobox in a '''header''' field (but not in a '''label''' field because it would not be displayed!), either using {{Infobox | title = Top level title | header1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | header2 = {{Infobox | decat = yes | child = yes | title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} <pre style="overflow:auto"> {{Infobox | title = Top level title | header1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | header2 = {{Infobox | decat = yes | child = yes | title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} </pre>{{clear}} or, {{Infobox | title = Top level title | header1 = First subsection {{Infobox | decat = yes | child = yes | label1 = Label 1.1 | data1 = Data 1.1 }} | header2 = Second subsection {{Infobox | decat = yes | child = yes | label1 = Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} <pre style="overflow:auto"> {{Infobox | title = Top level title | header1 = First subsection {{Infobox | decat = yes | child = yes | label1 = Label 1.1 | data1 = Data 1.1 }} | header2 = Second subsection {{Infobox | decat = yes | child = yes | label1 = Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} </pre>{{clear}} Note that omitting the |title= parameter, and not including any text preceding the embedded infobox, may result in spurious blank table rows, creating gaps in the visual presentation. == Subboxes == An alternative method for embedding is to use |subbox=yes, which removes the outer border from the infobox, but preserves the interior structure. One feature of this approach is that the parent and child boxes need not have the same structure, and the label and data fields are not aligned between the parent and child boxes because they are not in the same parent table. {{Infobox | headerstyle = background-color:#eee; | labelstyle = background-color:#eee; | header1 = Main 1 | header2 = Main 2 | data3 = {{Infobox | subbox = yes | headerstyle = background-color:#ccc; | labelstyle = background-color:#ddd; | header1 = Sub 3-1 | header2 = Sub 3-2 | label3 = Label 3-3 | data3 = Data 3-3 }} | data4 = {{Infobox | subbox = yes | labelstyle = background-color:#ccc; | label1 = Label 4-1 | data1 = Data 4-1 }} | label5 = Label 5 | data5 = Data 5 | header6 = Main 6 }} <source lang="sass" style="overflow:auto"> {{Infobox | headerstyle = background-color:#eee; | labelstyle = background-color:#eee; | header1 = Main 1 | header2 = Main 2 | data3 = {{Infobox | subbox = yes | headerstyle = background-color:#ccc; | labelstyle = background-color:#ddd; | header1 = Sub 3-1 | header2 = Sub 3-2 | label3 = Label 3-3 | data3 = Data 3-3 }} | data4 = {{Infobox | subbox = yes | labelstyle = background-color:#ccc; | label1 = Label 4-1 | data1 = Data 4-1 }} | label5 = Label 5 | data5 = Data 5 | header6 = Main 6 }} </source>{{clear}} Note that the default padding of the parent data cell containing each subbox is still visible, so the subboxes are slightly narrower than the parent box and there's a higher vertical spacing between standard cells of the parent box than between cells of distinct subboxes. == Full blank syntax == (Note: there is no limit to the number of possible rows; only 20 are given below since infoboxes larger than that will be relatively rare. Just extend the numbering as needed. The microformat "class" parameters are also omitted as they are not commonly used.) <pre style="overflow:auto"> {{Infobox | name = {{subst:PAGENAME}} | child = {{{child|}}} | subbox = {{{subbox|}}} | italic title = {{{italic title|no}}} | bodystyle = | titlestyle = | abovestyle = | subheaderstyle = | title = | above = | subheader = | imagestyle = | captionstyle = | image = | caption = | image2 = | caption2 = | headerstyle = | labelstyle = | datastyle = | header1 = | label1 = | data1 = | header2 = | label2 = | data2 = | header3 = | label3 = | data3 = | header4 = | label4 = | data4 = | header5 = | label5 = | data5 = | header6 = | label6 = | data6 = | header7 = | label7 = | data7 = | header8 = | label8 = | data8 = | header9 = | label9 = | data9 = | header10 = | label10 = | data10 = | header11 = | label11 = | data11 = | header12 = | label12 = | data12 = | header13 = | label13 = | data13 = | header14 = | label14 = | data14 = | header15 = | label15 = | data15 = | header16 = | label16 = | data16 = | header17 = | label17 = | data17 = | header18 = | label18 = | data18 = | header19 = | label19 = | data19 = | header20 = | label20 = | data20 = | belowstyle = | below = }} </pre>{{clear}} ==See also== * [[Module:Infobox]], the [[mw:Lua/Overview|Lua]] module on which this template is based * [[w:Wikipedia:List of infoboxes|List of infoboxes]] 38686ab37d436b2158042649ea6e552897fbcfa5 Module:Documentation/config 828 213 517 2022-10-01T17:37:53Z dev>Pppery 0 Pppery moved page [[Module:Documentation/config/2]] to [[Module:Documentation/config]] without leaving a redirect Scribunto text/plain ---------------------------------------------------------------------------------------------------- -- -- Configuration for Module:Documentation -- -- Here you can set the values of the parameters and messages used in Module:Documentation to -- localise it to your wiki and your language. Unless specified otherwise, values given here -- should be string values. ---------------------------------------------------------------------------------------------------- local cfg = {} -- Do not edit this line. ---------------------------------------------------------------------------------------------------- -- Start box configuration ---------------------------------------------------------------------------------------------------- -- cfg['documentation-icon-wikitext'] -- The wikitext for the icon shown at the top of the template. cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]' -- cfg['template-namespace-heading'] -- The heading shown in the template namespace. cfg['template-namespace-heading'] = 'Template documentation' -- cfg['module-namespace-heading'] -- The heading shown in the module namespace. cfg['module-namespace-heading'] = 'Module documentation' -- cfg['file-namespace-heading'] -- The heading shown in the file namespace. cfg['file-namespace-heading'] = 'Summary' -- cfg['other-namespaces-heading'] -- The heading shown in other namespaces. cfg['other-namespaces-heading'] = 'Documentation' -- cfg['view-link-display'] -- The text to display for "view" links. cfg['view-link-display'] = 'view' -- cfg['edit-link-display'] -- The text to display for "edit" links. cfg['edit-link-display'] = 'edit' -- cfg['history-link-display'] -- The text to display for "history" links. cfg['history-link-display'] = 'history' -- cfg['purge-link-display'] -- The text to display for "purge" links. cfg['purge-link-display'] = 'purge' -- cfg['create-link-display'] -- The text to display for "create" links. cfg['create-link-display'] = 'create' ---------------------------------------------------------------------------------------------------- -- Link box (end box) configuration ---------------------------------------------------------------------------------------------------- -- cfg['transcluded-from-blurb'] -- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page. cfg['transcluded-from-blurb'] = 'The above [[w:Wikipedia:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from $1.' --[[ -- cfg['create-module-doc-blurb'] -- Notice displayed in the module namespace when the documentation subpage does not exist. -- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the -- display cfg['create-link-display']. --]] cfg['create-module-doc-blurb'] = 'You might want to $1 a documentation page for this [[mw:Extension:Scribunto/Lua reference manual|Scribunto module]].' ---------------------------------------------------------------------------------------------------- -- Experiment blurb configuration ---------------------------------------------------------------------------------------------------- --[[ -- cfg['experiment-blurb-template'] -- cfg['experiment-blurb-module'] -- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages. -- It is only shown in the template and module namespaces. With the default English settings, it -- might look like this: -- -- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages. -- -- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links. -- -- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending -- on what namespace we are in. -- -- Parameters: -- -- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format: -- -- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display']) -- -- If the sandbox doesn't exist, it is in the format: -- -- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display']) -- -- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload'] -- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display'] -- loads a default edit summary of cfg['mirror-edit-summary']. -- -- $2 is a link to the test cases page. If the test cases page exists, it is in the following format: -- -- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'] | cfg['testcases-run-link-display']) -- -- If the test cases page doesn't exist, it is in the format: -- -- cfg['testcases-link-display'] (cfg['testcases-create-link-display']) -- -- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the -- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current -- namespace. --]] cfg['experiment-blurb-template'] = "Editors can experiment in this template's $1 and $2 pages." cfg['experiment-blurb-module'] = "Editors can experiment in this module's $1 and $2 pages." ---------------------------------------------------------------------------------------------------- -- Sandbox link configuration ---------------------------------------------------------------------------------------------------- -- cfg['sandbox-subpage'] -- The name of the template subpage typically used for sandboxes. cfg['sandbox-subpage'] = 'sandbox' -- cfg['template-sandbox-preload'] -- Preload file for template sandbox pages. cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox' -- cfg['module-sandbox-preload'] -- Preload file for Lua module sandbox pages. cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox' -- cfg['sandbox-link-display'] -- The text to display for "sandbox" links. cfg['sandbox-link-display'] = 'sandbox' -- cfg['sandbox-edit-link-display'] -- The text to display for sandbox "edit" links. cfg['sandbox-edit-link-display'] = 'edit' -- cfg['sandbox-create-link-display'] -- The text to display for sandbox "create" links. cfg['sandbox-create-link-display'] = 'create' -- cfg['compare-link-display'] -- The text to display for "compare" links. cfg['compare-link-display'] = 'diff' -- cfg['mirror-edit-summary'] -- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the -- template page. cfg['mirror-edit-summary'] = 'Create sandbox version of $1' -- cfg['mirror-link-display'] -- The text to display for "mirror" links. cfg['mirror-link-display'] = 'mirror' -- cfg['mirror-link-preload'] -- The page to preload when a user clicks the "mirror" link. cfg['mirror-link-preload'] = 'Template:Documentation/mirror' ---------------------------------------------------------------------------------------------------- -- Test cases link configuration ---------------------------------------------------------------------------------------------------- -- cfg['testcases-subpage'] -- The name of the template subpage typically used for test cases. cfg['testcases-subpage'] = 'testcases' -- cfg['template-testcases-preload'] -- Preload file for template test cases pages. cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases' -- cfg['module-testcases-preload'] -- Preload file for Lua module test cases pages. cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases' -- cfg['testcases-link-display'] -- The text to display for "testcases" links. cfg['testcases-link-display'] = 'testcases' -- cfg['testcases-edit-link-display'] -- The text to display for test cases "edit" links. cfg['testcases-edit-link-display'] = 'edit' -- cfg['testcases-run-link-display'] -- The text to display for test cases "run" links. cfg['testcases-run-link-display'] = 'run' -- cfg['testcases-create-link-display'] -- The text to display for test cases "create" links. cfg['testcases-create-link-display'] = 'create' ---------------------------------------------------------------------------------------------------- -- Add categories blurb configuration ---------------------------------------------------------------------------------------------------- --[[ -- cfg['add-categories-blurb'] -- Text to direct users to add categories to the /doc subpage. Not used if the "content" or -- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a -- link to the /doc subpage with a display value of cfg['doc-link-display']. --]] cfg['add-categories-blurb'] = 'Add categories to the $1 subpage.' -- cfg['doc-link-display'] -- The text to display when linking to the /doc subpage. cfg['doc-link-display'] = '/doc' ---------------------------------------------------------------------------------------------------- -- Subpages link configuration ---------------------------------------------------------------------------------------------------- --[[ -- cfg['subpages-blurb'] -- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a -- display value of cfg['subpages-link-display']. In the English version this blurb is simply -- the link followed by a period, and the link display provides the actual text. --]] cfg['subpages-blurb'] = '$1.' --[[ -- cfg['subpages-link-display'] -- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'], -- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in -- the template namespace, the module namespace, or another namespace. --]] cfg['subpages-link-display'] = 'Subpages of this $1' -- cfg['template-pagetype'] -- The pagetype to display for template pages. cfg['template-pagetype'] = 'template' -- cfg['module-pagetype'] -- The pagetype to display for Lua module pages. cfg['module-pagetype'] = 'module' -- cfg['default-pagetype'] -- The pagetype to display for pages other than templates or Lua modules. cfg['default-pagetype'] = 'page' ---------------------------------------------------------------------------------------------------- -- Doc link configuration ---------------------------------------------------------------------------------------------------- -- cfg['doc-subpage'] -- The name of the subpage typically used for documentation pages. cfg['doc-subpage'] = 'doc' -- cfg['docpage-preload'] -- Preload file for template documentation pages in all namespaces. cfg['docpage-preload'] = 'Template:Documentation/preload' -- cfg['module-preload'] -- Preload file for Lua module documentation pages. cfg['module-preload'] = 'Template:Documentation/preload-module-doc' ---------------------------------------------------------------------------------------------------- -- HTML and CSS configuration ---------------------------------------------------------------------------------------------------- -- cfg['templatestyles'] -- The name of the TemplateStyles page where CSS is kept. -- Sandbox CSS will be at Module:Documentation/sandbox/styles.css when needed. cfg['templatestyles'] = 'Module:Documentation/styles.css' -- cfg['container'] -- Class which can be used to set flex or grid CSS on the -- two child divs documentation and documentation-metadata cfg['container'] = 'documentation-container' -- cfg['main-div-classes'] -- Classes added to the main HTML "div" tag. cfg['main-div-classes'] = 'documentation' -- cfg['main-div-heading-class'] -- Class for the main heading for templates and modules and assoc. talk spaces cfg['main-div-heading-class'] = 'documentation-heading' -- cfg['start-box-class'] -- Class for the start box cfg['start-box-class'] = 'documentation-startbox' -- cfg['start-box-link-classes'] -- Classes used for the [view][edit][history] or [create] links in the start box. -- mw-editsection-like is per [[Wikipedia:Village pump (technical)/Archive 117]] cfg['start-box-link-classes'] = 'mw-editsection-like plainlinks' -- cfg['end-box-class'] -- Class for the end box. cfg['end-box-class'] = 'documentation-metadata' -- cfg['end-box-plainlinks'] -- Plainlinks cfg['end-box-plainlinks'] = 'plainlinks' -- cfg['toolbar-class'] -- Class added for toolbar links. cfg['toolbar-class'] = 'documentation-toolbar' -- cfg['clear'] -- Just used to clear things. cfg['clear'] = 'documentation-clear' ---------------------------------------------------------------------------------------------------- -- Tracking category configuration ---------------------------------------------------------------------------------------------------- -- cfg['display-strange-usage-category'] -- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage -- or a /testcases subpage. This should be a boolean value (either true or false). cfg['display-strange-usage-category'] = true -- cfg['strange-usage-category'] -- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a -- /doc subpage or a /testcases subpage. cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage' --[[ ---------------------------------------------------------------------------------------------------- -- End configuration -- -- Don't edit anything below this line. ---------------------------------------------------------------------------------------------------- --]] return cfg d70e8b1402a2bbe08a1fef4b75d743e661af0c95 Template:Documentation subpage 10 210 511 2022-10-01T17:51:17Z dev>Pppery 0 wikitext text/x-wiki <includeonly><!-- -->{{#ifeq:{{lc:{{SUBPAGENAME}}}} |{{{override|doc}}} | <!--(this template has been transcluded on a /doc or /{{{override}}} page)--> </includeonly><!-- -->{{#ifeq:{{{doc-notice|show}}} |show | {{Mbox | type = notice | style = margin-bottom:1.0em; | image = [[File:Edit-copy green.svg|40px|alt=|link=]] | text = '''This is a documentation subpage''' for '''{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}'''.<br/> It contains usage information, [[mw:Help:Categories|categories]] and other content that is not part of the original {{#if:{{{text2|}}} |{{{text2}}} |{{#if:{{{text1|}}} |{{{text1}}} | page}}}}. }} }}<!-- -->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!-- -->{{#if:{{{inhibit|}}} |<!--(don't categorize)--> | <includeonly><!-- -->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}} | [[Category:{{#switch:{{SUBJECTSPACE}} |Template=Template |Module=Module |User=User |#default=Wikipedia}} documentation pages]] | [[Category:Documentation subpages without corresponding pages]] }}<!-- --></includeonly> }}<!-- (completing initial #ifeq: at start of template:) --><includeonly> | <!--(this template has not been transcluded on a /doc or /{{{override}}} page)--> }}<!-- --></includeonly><noinclude>{{Documentation}}</noinclude> 471e685c1c643a5c6272e20e49824fffebad0448 Module:Documentation/styles.css 828 214 519 2023-01-16T23:40:04Z dev>Pppery 0 text text/plain .documentation, .documentation-metadata { border: 1px solid #a2a9b1; background-color: #ecfcf4; clear: both; } .documentation { margin: 1em 0 0 0; padding: 1em; } .documentation-metadata { margin: 0.2em 0; /* same margin left-right as .documentation */ font-style: italic; padding: 0.4em 1em; /* same padding left-right as .documentation */ } .documentation-startbox { padding-bottom: 3px; border-bottom: 1px solid #aaa; margin-bottom: 1ex; } .documentation-heading { font-weight: bold; font-size: 125%; } .documentation-clear { /* Don't want things to stick out where they shouldn't. */ clear: both; } .documentation-toolbar { font-style: normal; font-size: 85%; } /* [[Category:Template stylesheets]] */ 5fb984fe8632dc068db16853a824c9f3d5175dd9 Main Page 0 1 1 2023-07-01T01:42:43Z MediaWiki default 1 Create main page wikitext text/x-wiki __NOTOC__ == Welcome to {{SITENAME}}! == This Main Page was created automatically and it seems it hasn't been replaced yet. === For the bureaucrat(s) of this wiki === Hello, and welcome to your new wiki! Thank you for choosing Miraheze for the hosting of your wiki, we hope you will enjoy our hosting. You can immediately start working on your wiki or whenever you want. Need help? No problem! We will help you with your wiki as needed. To start, try checking out these helpful links: * [[mw:Special:MyLanguage/Help:Contents|MediaWiki guide]] (e.g. navigation, editing, deleting pages, blocking users) * [[meta:Special:MyLanguage/FAQ|Miraheze FAQ]] * [[meta:Special:MyLanguage/Request features|Request settings changes on your wiki]]. (Extensions, Skin and Logo/Favicon changes should be done through [[Special:ManageWiki]] on your wiki, see [[meta:Special:MyLanguage/ManageWiki|ManageWiki]] for more information.) ==== I still don't understand X! ==== Well, that's no problem. Even if something isn't explained in the documentation/FAQ, we are still happy to help you. You can find us here: * [[meta:Special:MyLanguage/Help center|On our own Miraheze wiki]] * On [[phab:|Phabricator]] * On [https://miraheze.org/discord Discord] * On IRC in #miraheze on irc.libera.chat ([irc://irc.libera.chat/%23miraheze direct link]; [https://web.libera.chat/?channel=#miraheze webchat]) === For visitors of this wiki === Hello, the default Main Page of this wiki (this page) has not yet been replaced by the bureaucrat(s) of this wiki. The bureaucrat(s) might still be working on a Main Page, so please check again later! 21236ac3f8d65e5563b6da6b70815ca6bf1e6616 2 1 2023-07-01T02:19:29Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. <youtube>BmXzJBN-Z-A</youtube> 7b122f1145b7760f762807355d144d9411cc13f2 4 2 2023-07-01T02:36:04Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' 002d681b799b6289e43da820e14f21d798c1411d 5 4 2023-07-01T02:48:59Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. 165dfb6a979e039d2f4aa0ee98c0684a6cc790c9 6 5 2023-07-01T02:55:38Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == = [[Vermerica]] = * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] = [[Five Kingdoms]] = * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] b2567486f1aa461e68f4f5d55962107ddb228396 7 6 2023-07-01T02:55:56Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] 33a51a5a1da40a220ad68ae2159337750ae36dcd 18 7 2023-07-01T03:28:22Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] == Lore == * [[Big "Host" Smells]] * [[Blue Sky]] b3fb109a361fe399e2cab91ad88e921619eb357e 19 18 2023-07-01T03:30:42Z Subaluwa 2 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] == Lore == === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * uhhh idk virarmy stuff e193d266486be6d82d219acfd05ea5618d94a753 20 19 2023-07-01T03:32:56Z Subaluwa 2 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * uhhh idk virarmy stuff 7c6817b17ad597003c99ae84631986d2376ca8a6 21 20 2023-07-01T03:36:45Z NLD 3 /* Unsorted */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] b0304b7fefe151c6dbd2ad9e321bc4c834251e62 25 21 2023-07-01T03:44:18Z Subaluwa 2 /* Unsorted */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] 18a492f5e32bee68373429a2837ba2ef6d9f1acb 30 25 2023-07-01T03:57:03Z 136.53.102.29 0 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] 08bb92276b24c49379fa98c43acca8afbd6068cf 31 30 2023-07-01T03:57:39Z 136.53.102.29 0 /* The Burning Depths */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [['''The Burning Depths''']] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] 4f05cf56fab96df0f8d6437300cda73cdea5034c 32 31 2023-07-01T03:58:12Z 136.53.102.29 0 /* The Burning Depths */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] 08bb92276b24c49379fa98c43acca8afbd6068cf 38 32 2023-07-01T04:13:56Z Subaluwa 2 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] * [[Wargraav]] b8a69ab96c30a1d246979cbaa752c3b19f602eda File:Tutorial.png 6 2 3 2023-07-01T02:34:58Z Subaluwa 2 wikitext text/x-wiki Tutorial for making a vermin. c74b7f9c40931dedc870a2df5adcca8e033e5e3a File:Yas blamgeles.png 6 3 8 2023-07-01T02:57:29Z Subaluwa 2 wikitext text/x-wiki Map of Yas Blamgeles. 3052227c2e9f0aeb4c4009f15dd91d73a41bab64 Yas Blamgeles 0 4 9 2023-07-01T03:00:44Z Subaluwa 2 Created page with "[[File:Yas blamgeles.png|600 px|center]] '''Yas Blamgeles''' is a city founded by King Grublam and Yas after fighting some superbosses. Everyone lives here, except for hellmin, who live in [[Ultra Hell]] to the south." wikitext text/x-wiki [[File:Yas blamgeles.png|600 px|center]] '''Yas Blamgeles''' is a city founded by King Grublam and Yas after fighting some superbosses. Everyone lives here, except for hellmin, who live in [[Ultra Hell]] to the south. 78df88c8a0ae2c4dfd7641f38dfeb6b2935b890a File:Hell had to win.png 6 5 10 2023-07-01T03:03:55Z Subaluwa 2 wikitext text/x-wiki hell host roasting the superboss 5931fceb637205582479f14978a06eb7a4111575 Ultra Hell 0 6 11 2023-07-01T03:07:04Z Subaluwa 2 Created page with "[[File:Hell had to win.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot..." wikitext text/x-wiki [[File:Hell had to win.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot of radiation. Thus they're dumb assholes who only know how to fight and due to the situation they live in they're able to fuse with weaker loserbitch vermins. Hell Host was basically stopping them from going out of Plato's cave and being disintegrated or something, but now he's on a forever vacation. 8fc3ed42e7e2a9bfd6921ddd459909db85b85945 File:Five kingdoms map notext.png 6 7 12 2023-07-01T03:08:30Z Subaluwa 2 wikitext text/x-wiki map of 5 kingdoms, no text d4fa7a084a05a102c767ab3e326398e430a25173 The Divided Kingdoms 0 8 13 2023-07-01T03:09:41Z Subaluwa 2 Created page with "[[File:Five kingdoms map notext.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]]" wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] 7bfce4ae2b2b8309a8b4189309925239f2f804fd 14 13 2023-07-01T03:12:16Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] 78ed74987ff100ba54add1da2b5cebb1beac54d1 15 14 2023-07-01T03:14:06Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]]<youtube>ADYzngt9wdg</youtube> The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] a53e51ba17525c00ff4d24d9ac299d06d8e0daef 35 15 2023-07-01T04:00:48Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] <youtube>ADYzngt9wdg</youtube> 01aa6f0a81d0823f334aaf7c4565a150491b1334 File:The seer.png 6 9 16 2023-07-01T03:19:20Z Subaluwa 2 wikitext text/x-wiki the seer in his temple 6cd5716cca19d0ffa3033cdfd6d65190d8d3d1af The Seer 0 10 17 2023-07-01T03:21:58Z Subaluwa 2 Created page with "[[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Five Kingdoms]] and is older than the five kings. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet." wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Five Kingdoms]] and is older than the five kings. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. 0f52ace8dbca240ebca9f45d4c046b07b5d483ef File:Vek host.jpg 6 11 22 2023-07-01T03:38:23Z Subaluwa 2 wikitext text/x-wiki vek host, it's him a0a0fe8364dc436fdfdc0973e0dfe685c03450e2 VEK Host 0 12 23 2023-07-01T03:40:35Z Subaluwa 2 Created page with "[[File:Vek host.jpg|thumb]] '''VEK Host''' is some asshole who destroyed the old universe. He isn't relevant in the new universe, except as a target of [[Blue Sky]]'s unrequited kismesissitude. For the old universe lore, see [https://vermin.fandom.com/wiki/VEK_Host the /v/ermin wiki]." wikitext text/x-wiki [[File:Vek host.jpg|thumb]] '''VEK Host''' is some asshole who destroyed the old universe. He isn't relevant in the new universe, except as a target of [[Blue Sky]]'s unrequited kismesissitude. For the old universe lore, see [https://vermin.fandom.com/wiki/VEK_Host the /v/ermin wiki]. 3202b0cabeb8de692ccd89bafcbf135e104dbaa1 File:3d saul goodman.gif 6 13 24 2023-07-01T03:43:57Z Subaluwa 2 wikitext text/x-wiki 3d saul goodman 3f6a5d1b0c697364412b10252c70d2c357bf49f7 User:Subaluwa 2 14 26 2023-07-01T03:44:25Z Subaluwa 2 Created page with "[[File:3d saul goodman.gif]]" wikitext text/x-wiki [[File:3d saul goodman.gif]] d8722277891072ccd9205e908e28842a31bebe21 File:Infinite wumpus.png 6 15 27 2023-07-01T03:47:49Z Subaluwa 2 wikitext text/x-wiki the infinite wumpus with lots of branches e6b8569138ebdc3cc3e1bd6f275ccf2198fd8e57 File:Infinite wumpus text.png 6 16 28 2023-07-01T03:49:21Z Subaluwa 2 wikitext text/x-wiki Infinite Wumpus™ 33f889527c5a86f2a527b528abea01a55bb2e6d7 Infinite Wumpus 0 17 29 2023-07-01T03:53:19Z Subaluwa 2 Created page with "[[File:Infinite wumpus.png|thumb]] '''Infinite Wumpus''', a.k.a. [[File:Infinite wumpus text.png|100px]], is a Wumpus which is infinite. ==Information== Each of its tentacles is a different parallel universe. When [[VEK Host]] rigged reality, Infinite Wumpus split that tentacle into two - one where the old universe was destroyed, and one where VEK Host lost, leading to the KFC universe. Some vermin fled through The Door to the new universe and [[Yas Blamgeles]]. ==Tr..." wikitext text/x-wiki [[File:Infinite wumpus.png|thumb]] '''Infinite Wumpus''', a.k.a. [[File:Infinite wumpus text.png|100px]], is a Wumpus which is infinite. ==Information== Each of its tentacles is a different parallel universe. When [[VEK Host]] rigged reality, Infinite Wumpus split that tentacle into two - one where the old universe was destroyed, and one where VEK Host lost, leading to the KFC universe. Some vermin fled through The Door to the new universe and [[Yas Blamgeles]]. ==Trivia== * Infinite Wumpus is kept entertained by a tiny space station that broadcasts tourney fights, run by primordial elder gods. ** [[Coin Host]] and [[Elder Crab Bucket]] live on this station. 0d50e997763bcdc94db760f803defbf4249f3d84 33 29 2023-07-01T03:58:52Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Infinite wumpus.png|thumb]] '''Infinite Wumpus''', a.k.a. [[File:Infinite wumpus text.png|100px]], is a Wumpus which is infinite. ==Information== Each of its tentacles is a different parallel universe. When [[VEK Host]] rigged reality, Infinite Wumpus split that tentacle into two - one where the old universe was destroyed, and one where VEK Host lost, leading to the KFC universe. Some vermin fled through The Door to the new universe and [[Yas Blamgeles]]. ==Trivia== * Infinite Wumpus is kept entertained by a tiny space station that broadcasts tourney fights, run by primordial elder gods. ** [[Coin Host]] and Elder Crab Bucket live on this station. dc12c4b0cc9b1ca9f88fe059b220396078ae7d3f File:Kingdoms spongebob.png 6 18 34 2023-07-01T03:59:51Z Subaluwa 2 wikitext text/x-wiki spongebob representation of 5 kingdoms c04d0d1ddd57e7fb7bb9d48b62dbb721e0ae210b Template:Quote 10 19 36 2023-07-01T04:12:09Z Subaluwa 2 Created page with "<div class="quote"> :<span {{#if:{{{3|}}}|title="Source:&nbsp;{{{3}}}"}}>"''{{{1}}}''"</span> :&mdash;{{{2}}}{{#if:{{{3|}}}|<sup class="noprint">[[{{{3|}}}|[src]]]</sup>}} :</div><noinclude> ==Usage instructions== <code><nowiki>{{Quote|dialogue|attribution|source}}</nowiki></code> *In case there is an audio file for the quote, add an optional parameter, <tt>|audio=</tt>, where you enter the file name without the "File" prefix. *In case the source is an url, add an optio..." wikitext text/x-wiki <div class="quote"> :<span {{#if:{{{3|}}}|title="Source:&nbsp;{{{3}}}"}}>"''{{{1}}}''"</span> :&mdash;{{{2}}}{{#if:{{{3|}}}|<sup class="noprint">[[{{{3|}}}|[src]]]</sup>}} :</div><noinclude> ==Usage instructions== <code><nowiki>{{Quote|dialogue|attribution|source}}</nowiki></code> *In case there is an audio file for the quote, add an optional parameter, <tt>|audio=</tt>, where you enter the file name without the "File" prefix. *In case the source is an url, add an optional parameter, <tt>|url=</tt>, where you enter the source url. *In case you don't want to have a quotation mark (") at the start of the quote, add <tt>|noquote=1</tt> somewhere in the template. *In case you don't want to have a quotation mark (") at the end of the quote, add <tt>|trans=1</tt> somewhere in the template. ===Notes=== If any text is assigned to the ''source'' field, it will be rendered as a browser [[Wikipedia:Tooltip|tooltip]]. ==Examples== Code: <code><nowiki>{{Quote|Hello.|A guy|Grog}}</nowiki></code> Result: {{Quote|Hello.|A guy|Grog}} ===Two speakers=== Code: <code><nowiki>{{Quote|Hello.''"<br />"''Hey.|Two guys|Grog}}</nowiki></code> Result: {{Quote|Hello.''"<br />"''Hey.|Two guys|Grog}} Result: {{Quote|It's a trap!|Admiral Ackbar|audio=ItsATrap-ROTJ.ogg|StarWars:Star Wars Episode VI: Return of the Jedi}} ===Url as source=== Code: <code><nowiki>{{Quote|The best part of the movies, 'Star Wars' and 'Indiana Jones,' too, is that I still love to watch them, just like anybody else does. If they're on TV and I turn it on halfway through, I can't turn it off, even if I've seen it a million times.|George Lucas|url=http://news.yahoo.com/s/ap/20070424/ap_en_mo/star_wars_anniversary_1}}</nowiki></code> Result: {{Quote|The best part of the movies, 'Star Wars' and 'Indiana Jones,' too, is that I still love to watch them, just like anybody else does. If they're on TV and I turn it on halfway through, I can't turn it off, even if I've seen it a million times.|George Lucas|url=http://news.yahoo.com/s/ap/20070424/ap_en_mo/star_wars_anniversary_1}} [[Category:Quote and dialogue templates|{{PAGENAME}}]]</noinclude> 9670165ceb4ca5ba9ad5b294167762015f2603d6 File:THEBURNINGDEPTHS.png 6 20 37 2023-07-01T04:12:18Z SChost 5 wikitext text/x-wiki This is the Burning Depths, it is located north east away from Vermerica on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here. 6bbf09158be23afee748494708d23312c4aa7a2f Wargraav 0 21 39 2023-07-01T04:14:19Z Subaluwa 2 Created page with "{{Quote|Grrr... I am Wargraav.|Wargraav}}" wikitext text/x-wiki {{Quote|Grrr... I am Wargraav.|Wargraav}} fefecc3dfcc64d6d2159695bea1597369e9a5ea0 41 39 2023-07-01T04:15:52Z Subaluwa 2 wikitext text/x-wiki {{Quote|Grrr... I am Wargraav.|Wargraav}} [[File:Wargraav.png|thumb]] '''Wargraav''' does not exist in the new universe. fb8a7dfbc883c68dec1b15d954faad96e8010455 42 41 2023-07-01T04:17:18Z Subaluwa 2 wikitext text/x-wiki [[File:Wargraav.png|thumb]]{{Quote|Grrr... I am Wargraav.|Wargraav}} '''Wargraav''' does not exist in the new universe. ee03f0d0fb858dd2463191ca4723737bf055a923 59 42 2023-07-01T04:44:58Z Subaluwa 2 wikitext text/x-wiki [[File:Wargraav.png|thumb]]{{Quote|Grrr... I am Wargraav.|Wargraav}} '''Wargraav''' does not exist in the new universe. There are several vermin that resemble Wargraav. They competed in [[The Skirmish]]. 7b525338a18b07cc3a920b84b6a96cfa52e95b98 74 59 2023-07-01T05:47:26Z Subaluwa 2 wikitext text/x-wiki [[File:Wargraav.png|thumb]]{{Quote|Grrr... I am Wargraav.|Wargraav}} '''Wargraav''' does not exist in the new universe. There are several vermin that resemble Wargraav. Some of them competed in [[The Skirmish]]. 8e989ad5d45e22e3c55c4434db3fefd5ed483aff File:Wargraav.png 6 22 40 2023-07-01T04:15:33Z Subaluwa 2 wikitext text/x-wiki wargraav fad374e6898d2557f75a3920eff4ed432437ea39 Main Page 0 1 43 38 2023-07-01T04:18:00Z Subaluwa 2 /* Vermin Universe */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] * [[Wargraav]] 54ef4d294bb51df655b9bb9e3196c157e88a95d0 64 43 2023-07-01T05:29:16Z Subaluwa 2 /* Unsorted */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] * [[Wargraav]] * [[Swagbeard]] 469888b970f9f3cf603f60282523544d80d40bf5 71 64 2023-07-01T05:37:22Z NLD 3 Added Champions header for future expansion wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] * [[Wargraav]] == Champions == * [[Swagbeard]] c95d2cae60543baeaab5cc2e4a845e1a11e1e431 72 71 2023-07-01T05:40:25Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == === VEK Saga === * [[VEK Host]] === Big "Tournament" Smells === * [[Big "Host" Smells]] * [[Blue Sky]] === Unsorted === * [[The Office™]] * [[Skultists]] * [[Imp cult]] == Vermin == ===Champions=== * [[Swagbeard]] ===Other=== * [[Wargraav]] a27314da9cc3b16a5657689f0ab614cbae225370 73 72 2023-07-01T05:46:20Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] ==Vermin== ===Champions=== * [[Swagbeard]] ===Other=== * [[Wargraav]] 35e9aac14e814ac1095c00056c37d4ef55cdb225 77 73 2023-07-01T05:56:55Z Subaluwa 2 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] ===Other=== * [[Wargraav]] 29fbdb0acd17dea5e6b7e068192295f0cbd99a68 81 77 2023-07-01T06:17:40Z Subaluwa 2 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] ===Other=== * [[Wargraav]] * [[The High Priest]] 4ef2703684d964015dbf8ca4e70fb1f647ef5b4a The Divided Kingdoms 0 8 44 35 2023-07-01T04:21:58Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] <youtube>ADYzngt9wdg</youtube> 582c34a58a08f1e17b2a2a200bf80dd199ca7f34 Archmungus Emeloth 0 23 45 2023-07-01T04:23:11Z Subaluwa 2 Created page with "* archmungus was born in the slums of lower ohio and sought to become number 1 under the sun * the only way to reach that height is to climb to upper ohio and become king * now he rules ohio and throws corn down the ohio chute * the demons who once ruled over upper ohio and subjugated the ones below were defeated by the archmungus after centuries of control * but in his endless quest to achieve greater heights he now seeks to invade and take the neighboring kingdoms * l..." wikitext text/x-wiki * archmungus was born in the slums of lower ohio and sought to become number 1 under the sun * the only way to reach that height is to climb to upper ohio and become king * now he rules ohio and throws corn down the ohio chute * the demons who once ruled over upper ohio and subjugated the ones below were defeated by the archmungus after centuries of control * but in his endless quest to achieve greater heights he now seeks to invade and take the neighboring kingdoms * long enough hero becomes villain etc * maybe he will be redeemed before the end * whooooo knows * also his court is filled with hundreds of his previous evos * little followers and fellow rune-tongue-things * also this is how he overthrew the old demon king of ohio <youtube>QmP8hJxWbmg</youtube> a27e987a54045a8297c658e1f5a373857c675068 48 45 2023-07-01T04:24:39Z Subaluwa 2 wikitext text/x-wiki [[File:Emeloth.png|thumb]] * archmungus was born in the slums of lower [[Greater Ohio|ohio]] and sought to become number 1 under the sun * the only way to reach that height is to climb to upper ohio and become king * now he rules ohio and throws corn down the ohio chute * the demons who once ruled over upper ohio and subjugated the ones below were defeated by the archmungus after centuries of control * but in his endless quest to achieve greater heights he now seeks to invade and take the neighboring kingdoms * long enough hero becomes villain etc * maybe he will be redeemed before the end * whooooo knows * also his court is filled with hundreds of his previous evos * little followers and fellow rune-tongue-things * also this is how he overthrew the old demon king of ohio <youtube>QmP8hJxWbmg</youtube> 46272c09d0e0c760a2d6b20b323a9f6817c07a6a The Burning Depths 0 24 46 2023-07-01T04:23:54Z SChost 5 Created page with "This is the Burning Depths, it is located north east away from Vermerica on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here." wikitext text/x-wiki This is the Burning Depths, it is located north east away from Vermerica on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here. be6db909061a539c5e80d1251fb82ecdfc0650ba 54 46 2023-07-01T04:35:00Z SChost 5 wikitext text/x-wiki https://vermin.miraheze.org/w/index.php?title=File:TBD.png&oldid=51 This is the Burning Depths, it is located north east away from Vermerica on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here. ce8b9af0d96bb5ba421fe17d3067449040187e43 58 54 2023-07-01T04:37:00Z SChost 5 wikitext text/x-wiki [[File:Teebeeedee.png|thumb]] This is the Burning Depths, it is located north east away from Vermerica on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here. ae158438f7cc7c2d479912921bc98814ebbd61b0 File:Emeloth.png 6 25 47 2023-07-01T04:24:23Z Subaluwa 2 wikitext text/x-wiki emeloth, archmungus of ohio bd6868f672fe3a5da586289695a8e862d61183bb File:THEBURNINGDEPTHS.png 6 20 49 37 2023-07-01T04:25:49Z SChost 5 Blanked the page wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Lower ohio citizens.png 6 26 50 2023-07-01T04:27:26Z Subaluwa 2 wikitext text/x-wiki people of lower ohio cffbd2dd62b8d229dbb0aaf6bd83f98ec7221570 File:TBD.png 6 27 51 2023-07-01T04:29:23Z SChost 5 wikitext text/x-wiki The Vermin World As We Know It 9d21527660305c305ccc2551510b1df6503a5724 Greater Ohio 0 28 52 2023-07-01T04:31:00Z Subaluwa 2 Created page with "'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Othe..." wikitext text/x-wiki '''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. ==Trivia== * They love corn. They hate wheat. <youtube width="200" height="120">hvoagWSOw_Y</youtube> fc5a675bd074470d0c1d11955922fdfbd4c3d682 53 52 2023-07-01T04:34:59Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki '''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. ==Trivia== * They love corn. They hate wheat. ** As a result, Ohioans hate [[Ballingypt]] because their staple crop is yeat. <youtube width="200" height="120">hvoagWSOw_Y</youtube> * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. 539d04ca4b84b0ade81ab5c369430b3b72a96f87 62 53 2023-07-01T05:26:36Z Subaluwa 2 wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. ==Trivia== * They love corn. They hate wheat. ** As a result, Ohioans hate [[Ballingypt]] because their staple crop is yeat. <youtube width="200" height="120">hvoagWSOw_Y</youtube> * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. 068ca5740c19971872a8516ea08c18bfdf697910 63 62 2023-07-01T05:28:39Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. ==Trivia== * They love corn. They hate wheat. ** As a result, Ohioans hate [[Ballingypt]] because their staple crop is yeat. <youtube width="200" height="120">hvoagWSOw_Y</youtube> * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. * Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. 8199109e694f9ba824a005d02721d8068679d91f Emeloth 0 29 55 2023-07-01T04:35:32Z Subaluwa 2 Redirected page to [[Special:MyLanguage/Archmungus Emeloth]] wikitext text/x-wiki #REDIRECT [[Special:MyLanguage/Archmungus Emeloth|</nowiki>Archmungus Emeloth]] 90ba3af643c4f070b4966bb4bb4c555b567a235a Emeloth, Archmungus of Ohio 0 30 56 2023-07-01T04:36:22Z Subaluwa 2 Redirected page to [[Special:MyLanguage/Archmungus Emeloth]] wikitext text/x-wiki #REDIRECT [[Special:MyLanguage/Archmungus Emeloth|</nowiki>Archmungus Emeloth]] 90ba3af643c4f070b4966bb4bb4c555b567a235a File:Teebeeedee.png 6 31 57 2023-07-01T04:36:48Z SChost 5 wikitext text/x-wiki "THE VERMIN WORLD AS WE KNOW IT" e4b352d46ebee654cd31f95bf02ef512d08e01ac File:Ohio map.png 6 32 60 2023-07-01T05:25:36Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Ohio landscape.png 6 33 61 2023-07-01T05:25:49Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Swagbeard.png 6 34 65 2023-07-01T05:29:43Z Subaluwa 2 wikitext text/x-wiki Darth Swagbeard cb1c9b1dd316c75ea70d85877f818c8ba8827bc6 File:Paranormal investigator jim.png 6 35 66 2023-07-01T05:33:25Z Subaluwa 2 wikitext text/x-wiki the investigator jim 08b1de8cb07971d104a0aef93ce5b6adf5915fd6 File:Swagbeard dad.png 6 36 67 2023-07-01T05:34:22Z Subaluwa 2 wikitext text/x-wiki Swagbeard more like Chadbeard a8ade600d3154802485244451946877879500b3d Darth Swagbeard 0 37 68 2023-07-01T05:35:11Z Subaluwa 2 Created page with "[[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself." wikitext text/x-wiki [[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. 71752a07a00d2e625347459166fd36fea4ddfbd6 69 68 2023-07-01T05:35:30Z Subaluwa 2 Subaluwa moved page [[Swagbeard]] to [[Darth Swagbeard]] wikitext text/x-wiki [[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. 71752a07a00d2e625347459166fd36fea4ddfbd6 84 69 2023-07-01T06:22:04Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. Paranormal Investigator Jim later drank the ghost of Brick Trickem Forever, got roided on ectoplasm, ascended to brickhood, had his chest punched out by a Blood Grabape, and became undead. d08b56881b76892151cf240df055d8b68e0bbee9 Swagbeard 0 38 70 2023-07-01T05:35:30Z Subaluwa 2 Subaluwa moved page [[Swagbeard]] to [[Darth Swagbeard]] wikitext text/x-wiki #REDIRECT [[Darth Swagbeard]] 225dd6a983d3900cbe2d579d4ec1a22b250c8907 File:Skirmish bracket.png 6 39 75 2023-07-01T05:50:27Z Subaluwa 2 wikitext text/x-wiki the skirmish tournament bracket, final f1c667cf5392d10d648b06865d142600a84f765d The Skirmish 0 40 76 2023-07-01T05:52:43Z Subaluwa 2 Created page with "[[File:Skirmish bracket.png|thumb]] The '''Skirmish''' was a "tournament" to decide which [[Wargraav|Skirmgraav-like]] was the strongest. The tournament would have ended with fights between burst modes and stage 3s, but the tournament was ended prematurely when insectoid alien battle machines invaded and killed everyone." wikitext text/x-wiki [[File:Skirmish bracket.png|thumb]] The '''Skirmish''' was a "tournament" to decide which [[Wargraav|Skirmgraav-like]] was the strongest. The tournament would have ended with fights between burst modes and stage 3s, but the tournament was ended prematurely when insectoid alien battle machines invaded and killed everyone. a28e4997008d8dcb1c7ed76b766fb3c7ad14f0f9 File:Coin Host.png 6 41 78 2023-07-01T05:57:44Z Subaluwa 2 wikitext text/x-wiki Coin Host. 9db4fd31221f21f4b84409e5441975a474f32eca File:Coin doin slap.png 6 42 79 2023-07-01T06:00:25Z Subaluwa 2 wikitext text/x-wiki Coin Host slapping Doin Host. aea0c99c1bacb1bae159c408de7096c60d716a7f Coin Host 0 43 80 2023-07-01T06:04:46Z Subaluwa 2 Created page with "[[File:Coin Host.png|thumb]] '''Coin Host''' is a [[host]]. He runs Battle Cats tournaments. ==Information== He is formerly from the old universe, but was spirited away by Elder Crab Bucket to the [[Infinite Wumpus]] space station just before [[VEK Host]] destroyed the world. [[File:Coin doin slap.png|thumb]] Coin Host has a counterpart in the new universe known as Doin Host. Since Coin Host lost his old Blorf and Dinoswordus bases to the VEKpocalypse, he relies on Doi..." wikitext text/x-wiki [[File:Coin Host.png|thumb]] '''Coin Host''' is a [[host]]. He runs Battle Cats tournaments. ==Information== He is formerly from the old universe, but was spirited away by Elder Crab Bucket to the [[Infinite Wumpus]] space station just before [[VEK Host]] destroyed the world. [[File:Coin doin slap.png|thumb]] Coin Host has a counterpart in the new universe known as Doin Host. Since Coin Host lost his old Blorf and Dinoswordus bases to the VEKpocalypse, he relies on Doin Host to hold tournaments for him. Doin Host is morose and pessimistic due to growing up in an era where vermins was dead. He doesn't break out his Age of War engine unless Coin Host forces him to. ==Trivia== * Elder Crab Bucket is constantly nagging him to hold tourneys again, but he's too lazy and easily distracted. a6755f0e8faf8046119be8ce47ceb8b1ad600dc1 File:High priest.png 6 44 82 2023-07-01T06:18:10Z Subaluwa 2 wikitext text/x-wiki the high priest sheet 68850340b5353645350bd723a424efd8430274e6 The High Priest 0 45 83 2023-07-01T06:18:22Z Subaluwa 2 Created page with "[[File:High priest.png|thumb]] * the high priest rundown! cause who doesn't like weed? (approximately over 100 countries.) * they were originally made for the knights of grublam pageant, which is why i went super detailed in their design! even if they didnt win i'm rlly proud of the end result * making something so unapologetically drug related was kind of iffy on my part but i ended up happy with it. "the high priest" was too good of a pun to pass up * yes he is high al..." wikitext text/x-wiki [[File:High priest.png|thumb]] * the high priest rundown! cause who doesn't like weed? (approximately over 100 countries.) * they were originally made for the knights of grublam pageant, which is why i went super detailed in their design! even if they didnt win i'm rlly proud of the end result * making something so unapologetically drug related was kind of iffy on my part but i ended up happy with it. "the high priest" was too good of a pun to pass up * yes he is high all the time. the only distinction is whether he is still functioning levels of high or Oh God I Am Seeing Other Dimensions levels of high * she is definitely a loser stoner dont get me wrong but she also wants to do make something of herself by spreading peace and love.... and by trying to get marijuana legalized worldwide. she thinks weed is fucking Awesome but is aware its not suitable for everyone. she will generally avoid people who dont feel like being around someone who smells like an actual smoke cloud * they're essentially a walking plant-bug of cannabis; their hair has the texture of marijuana leaves, and their mushroom cap is removable. their antennae is consistently part of them and their blood color is probably not on the visible light spectrum but they are generally humanoid * it is genderfluid and pansexual and honestly couldnt care less as long as u like weed. it does not like commitment tho, preferring casual relationships over anything * on the surface, he loves a good party and enjoying the thrills of life, but behind that carefree façade he gets pretty nervous. he flounders social interactions constantly but its not him being high he just sucks at that LOL * outside of chronic kush smoking (it isn't bad for her btw), she practices gardening (...mainlyyy for weed) and other things that let her see nature, like sightseeing, hiking, and camping! f843550dfcc5fd02a9eeb30f2cf589e8ef2d33f4 File:Hahalatia map.png 6 46 85 2023-07-01T06:27:34Z Subaluwa 2 wikitext text/x-wiki hahalatia map 6d713fc5a42f7ad4614921fe1b86f155c316727e Hahalatia 0 47 86 2023-07-01T06:39:36Z Subaluwa 2 Created page with "[[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfu..." wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, many of which were fired by Mag N. Ficent himself because he thought it would be funny. The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inhabitants== * <your vermin here> ==Trivia== * they have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents * they even have flying circuses but only british humour is allowed in them * clown cars used to roam free, like buffalo 6cae3ff2aab649db0232185f441b583ac004fc51 87 86 2023-07-01T06:48:25Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, many of which were fired by Mag N. Ficent himself because he thought it would be funny. The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inhabitants== * <your vermin here> ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. 29c1c83f845881e62667949a4b3e83254e2f1854 88 87 2023-07-01T06:49:09Z Subaluwa 2 wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, many of which were fired by Mag N. Ficent himself because he thought it would be funny. The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inter-kingdom relations== ===ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝=== ==Inhabitants== * <your vermin here> ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. 99cb0947ceba787c24260f61a2eee4d4ab0e8d48 Hahalatia 0 47 89 88 2023-07-01T06:53:15Z Subaluwa 2 wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, many of which were fired by Mag N. Ficent himself because he thought it would be funny. The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Inhabitants== * <your vermin here> ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. df98cba49742d512c262fcfe2997e84157d04ee0 90 89 2023-07-01T06:53:55Z Subaluwa 2 wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Inhabitants== * <your vermin here> ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. 684fec341fbc50b21453b1dd54d738e16be8fed9 92 90 2023-07-01T06:59:50Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Inhabitants== * <your vermin here> ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. bd8225dfacd96412e95a30a0fa2889e87f9c9f57 File:Sloth Stringleader.png 6 48 91 2023-07-01T06:54:56Z NLD 3 wikitext text/x-wiki Sheet 53bc47a77acc85b68738988438374f23a8992e81 Stringleader 0 49 93 2023-07-01T07:04:11Z NLD 3 Created page with "[[File:Sloth Stringleader.png|thumb|right|The Slothful Puppetmaster]] An eccentric puppet man who seems to want nothing more than to make others smile and enjoy themselves, the Stringleader is the champion of [[Whippersnapper Tournament 1]]. == Performance == * vs Jeff Vermos (won) * vs Fortress of Min (won) * vs Shruggie-V (won) * vs Super Sand 3 (won) == Lore == Stringleader was one of seven ambassadors sent by an entity from another dimension to compete in tournamen..." wikitext text/x-wiki [[File:Sloth Stringleader.png|thumb|right|The Slothful Puppetmaster]] An eccentric puppet man who seems to want nothing more than to make others smile and enjoy themselves, the Stringleader is the champion of [[Whippersnapper Tournament 1]]. == Performance == * vs Jeff Vermos (won) * vs Fortress of Min (won) * vs Shruggie-V (won) * vs Super Sand 3 (won) == Lore == Stringleader was one of seven ambassadors sent by an entity from another dimension to compete in tournaments. By competing, they grow stronger and, upon achieving their proper evolved forms weaken the walls between this dimension and that which they originated from. Having succeeded in his mission to such an extreme degree, Stringleader was relieved of his duties so that he could pursue his own interests with no strings attached and even greater power than he had previously possessed. He quickly founded the Cirque du String, a mystical carnival located within the Champion's Valley of Yas Blamgeles. Hiding advertisements in unexpected places throughout the world, people would slowly find their way to and enjoy the many sights and sounds the Cirque du String has to offer. Stringleader has also gained a fair few servants to work within and improve upon his establishment such as [[Matchliacci]] who manages a rise-drop ride and dazzles passersby with his wild flame dances. Keeping a close eye on everything, Stringleader is content with the way things are running, as they all progress towards something a lot more sinister than one may think... 2f84e86e2717145f496d136e76ee008aecde5626 98 93 2023-07-01T07:08:15Z NLD 3 /* Lore */ wikitext text/x-wiki [[File:Sloth Stringleader.png|thumb|right|The Slothful Puppetmaster]] An eccentric puppet man who seems to want nothing more than to make others smile and enjoy themselves, the Stringleader is the champion of [[Whippersnapper Tournament 1]]. == Performance == * vs Jeff Vermos (won) * vs Fortress of Min (won) * vs Shruggie-V (won) * vs Super Sand 3 (won) == Lore == Stringleader was one of seven ambassador spirits sent by an entity from another dimension to compete in tournaments. By competing, they grow stronger and, upon achieving their proper evolved forms, weaken the walls between this dimension and that which they originated from. Having succeeded in his mission to such an extreme degree, Stringleader was relieved of his duties so that he could pursue his own interests with no strings attached and even greater power than he had previously possessed. He quickly founded the Cirque du String, a mystical carnival located within the Champion's Valley of Yas Blamgeles. Hiding advertisements in unexpected places throughout the world, people would slowly find their way to and enjoy the many sights and sounds the Cirque du String has to offer. Stringleader has also gained a fair few servants to work within and improve upon his establishment such as [[Matchliacci]] who manages a rise-drop ride and dazzles passersby with his wild flame dances. Keeping a close eye on everything, Stringleader is content with the way things are running, as they all progress towards something a lot more sinister than one may think... 2a50c4dadd2702b2c670194bcedda9c323ef8141 Greater Ohio 0 28 94 63 2023-07-01T07:06:03Z Subaluwa 2 wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. * They love corn. They hate wheat. <youtube width="200" height="120">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. * Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. 3ec2fc10fb97686f82f7e37218f3a19520a16340 95 94 2023-07-01T07:06:13Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="120">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. * Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. 53e6c62df0522b73e064ece9bb6d493e4cde298d 96 95 2023-07-01T07:06:28Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. * Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. 69c2888dc68a86f6e604054480990bd0e6e32e74 97 96 2023-07-01T07:07:26Z Subaluwa 2 wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. ffa3889853ab2ce32176069b7070acb46a83a938 99 97 2023-07-01T07:10:26Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== Ohio and ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ share an uneasy truce due to both being fallen kingdoms full of angst and trauma. However, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ harbors unspoken envy for Ohio's rich, flowing fields of grain. ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. cc76922385b2388fe976f106a026821541b5c7c0 EEEEEEEEE 0 50 100 2023-07-01T07:20:40Z Subaluwa 2 Created page with "'''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. ==Information== This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemo..." wikitext text/x-wiki '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. ==Information== This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. ==Trivia== * d0488b9af33f77bd95471733d9364168a4d41bea 101 100 2023-07-01T07:21:43Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. ==Information== This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. ==Trivia== * They like eating crayons. bf8086fe97420d200b41aba38c40c3f94ce5124a 106 101 2023-07-01T07:46:21Z Subaluwa 2 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. ==Information== [[File:Eeeee comic.png|thumb|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon.]] [[File:Dark seoul.png|thumb|The flag of EEEEEEEEE.]] This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. [[File:Pipes inc.png|thumb]]International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe like Acme or Mann Co. (Guns, however, are made by Gun™.) ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. ==Trivia== * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. * Also they have gundams fuck it. d49e9830b2f6dd39bcdfd4fe5656c6d933bc372c 127 106 2023-07-01T09:36:40Z STRONGETS HOST OGRO 6 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. ==Information== [[File:Eeeee comic.png|thumb|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon.]] [[File:Dark seoul.png|thumb|The flag of EEEEEEEEE.]] This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. [[File:Pipes inc.png|thumb]]International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe like Acme or Mann Co. (Guns, however, are made by Gun™.) ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. ==Vermilion Pears== Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summon a lone soul to be it's forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. [[File:Paer.png|thumb|left]] ==Trivia== * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. * Also they have gundams fuck it. ad00d3a01c01a6395773193dfcc7ad9fc60f977b File:Eee map.png 6 51 102 2023-07-01T07:40:12Z Subaluwa 2 wikitext text/x-wiki map of EEEEEEEEE 4d9264a68b25deb1d8bc29087a6f1d7e7dd2d364 File:Eeeee comic.png 6 52 103 2023-07-01T07:40:52Z Subaluwa 2 wikitext text/x-wiki Comic of a resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. 0133769a24508a4a4684a5dbffcee2267a138348 File:Dark seoul.png 6 53 104 2023-07-01T07:41:30Z Subaluwa 2 wikitext text/x-wiki the dark seouls of flags 2d36efa34cdf6f642ef6b04b92da498487e1e50c File:Pipes inc.png 6 54 105 2023-07-01T07:42:07Z Subaluwa 2 wikitext text/x-wiki pipes inc loredump a02bf6142bfb0652139e7c9a07cc3d7293f0a639 File:Join my gang.png 6 55 107 2023-07-01T07:50:51Z Subaluwa 2 wikitext text/x-wiki tunguska champ lore meme 6511484da18170fcaf42d3364388964eefeefa51 File:Tunguska map.png 6 56 108 2023-07-01T07:51:30Z Subaluwa 2 wikitext text/x-wiki Tunguska map a6abe9171a5f50664567917a27dfa2439d802084 Tunguska 0 57 109 2023-07-01T07:52:09Z Subaluwa 2 Created page with "[[File:Tunguska map.png|thumb]] '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. [[File:Join my gang.png|thumb]]" wikitext text/x-wiki [[File:Tunguska map.png|thumb]] '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. [[File:Join my gang.png|thumb]] ea25d167eafe5a5e640b9821926234387e30acfd 110 109 2023-07-01T07:57:20Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Tunguska map.png|thumb]] '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. the people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. [[File:Join my gang.png|thumb]] ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to e31d49da3206d0ff05b6f0d17a09e697c135d9bb 111 110 2023-07-01T07:59:54Z Subaluwa 2 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem} '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. the people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual bcb2054c7cc01b5c60562e47150fb0c55f111029 112 111 2023-07-01T08:00:14Z Subaluwa 2 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem} '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. the people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual a833699f1ddc28c30ad73504cc4b4680390ab5de 113 112 2023-07-01T08:00:57Z Subaluwa 2 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. the people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual cdb73f8635b2c01735488053f84a6305e9ed0b6b 115 113 2023-07-01T08:18:13Z Subaluwa 2 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ==Features== ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grow. The energy within the tree’s bark, and, more importantly, bring the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual 1e1b9758ac571f08c296a4683f97b9e2e3a9a8d2 File:Tunguska flag.png 6 58 114 2023-07-01T08:02:31Z Subaluwa 2 wikitext text/x-wiki Tunguska flag 78b971b16d1718622adfc7b5ea70b5ec5bc7ed9e The Seer 0 10 116 17 2023-07-01T08:22:08Z Subaluwa 2 wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Five Kingdoms]] and is older than the five kings. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea 95397787a308043582adfbe2312a543dd7978a19 Ballingypt 0 59 117 2023-07-01T08:23:48Z Subaluwa 2 Created page with "'''Ballingypt''' is one of the [[Five Kingdoms]]. Its leader is [[Gato Supreme]]. ==Information==" wikitext text/x-wiki '''Ballingypt''' is one of the [[Five Kingdoms]]. Its leader is [[Gato Supreme]]. ==Information== c65384da34dc194a619995d4299d490c917da82b 119 117 2023-07-01T08:34:36Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Five Kingdoms]]. Its leader is [[Gato Supreme]]. ==Information== They take sports very seriously. ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. 923c845e8c49ffdfb93b57a925c3c102971bdf5b 120 119 2023-07-01T08:37:28Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Five Kingdoms]]. Its leader is [[Gato Supreme]]. ==Information== They take sports very seriously. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. b6ad542518242c94086583945a778c70314d07f4 File:Ballingypt map.png 6 60 118 2023-07-01T08:31:37Z Subaluwa 2 wikitext text/x-wiki Ballingypt map 4150486de6ddc0d05c036b538a96f754cc214fd4 The Divided Kingdoms 0 8 121 44 2023-07-01T08:49:58Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] <youtube>ADYzngt9wdg</youtube> [[Category:Kingdoms]] b540c3285d313f264faadf6eecee1e0aa7f2a761 130 121 2023-07-01T09:40:32Z STRONGETS HOST OGRO 6 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] [[File:Da counter chart.png|thumb|Very true and really official power dynamic of the kingdoms]] <youtube>ADYzngt9wdg</youtube> [[Category:Kingdoms]] e8308699228d458e80e3aeb045e47dcce18982dd Main Page 0 1 122 81 2023-07-01T08:57:27Z STRONGETS HOST OGRO 6 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] cdb49bcf01ace5a8edc4b839f45c60b6fc246b22 128 122 2023-07-01T09:38:25Z Subaluwa 2 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] 5369afdcf92a18ba2483a4a33e03d98a8f175642 133 128 2023-07-01T09:48:17Z STRONGETS HOST OGRO 6 /* Vermin */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]]? 1eb945477086ad82dfdd63b818158840aff1db1c File:THE VERMIN.png 6 61 123 2023-07-01T09:01:08Z STRONGETS HOST OGRO 6 wikitext text/x-wiki Drill God Killer King, a 7th stage hellmin filled with hectic evolutionary energy. 0a86cb03b9130deed8687685e76b944e0e388474 Ultra Hell 0 6 124 11 2023-07-01T09:02:04Z STRONGETS HOST OGRO 6 wikitext text/x-wiki [[File:Hell had to win.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot of radiation. Thus they're dumb assholes who only know how to fight and due to the situation they live in they're able to fuse with weaker loserbitch vermins. Hell Host was basically stopping them from going out of Plato's cave and being disintegrated or something, but now he's on a forever vacation. [[File:THE VERMIN.png|thumb|right|Drill God Killer King, a 7th stage hellmin filled with hectic evolutionary energy.]] 3c28cd1958014203f89851736d62e221e38a32ea File:Lord of Misrule.png 6 62 125 2023-07-01T09:17:13Z Neopolis 8 wikitext text/x-wiki The Lord of Misrule as he appeared in the old universe. d6f18cecb3091212331308dd87acad4e828990ee File:Paer.png 6 63 126 2023-07-01T09:35:36Z STRONGETS HOST OGRO 6 wikitext text/x-wiki Pear Guardian of the Vermilion Tree ac969beea2562558f4d644fa9f2aa3958f4a3c44 File:Da counter chart.png 6 64 129 2023-07-01T09:39:21Z STRONGETS HOST OGRO 6 wikitext text/x-wiki a shitpost? 6194bdb6f98230c4c6960f121fd4e2735f486743 File:Bro did you just kill the cat.png 6 65 131 2023-07-01T09:44:44Z STRONGETS HOST OGRO 6 wikitext text/x-wiki BOI 4069f79539ec39ec5aad7a84f40cb49bda25b63a User:STRONGETS HOST OGRO 2 66 132 2023-07-01T09:46:02Z STRONGETS HOST OGRO 6 Created page with "[[File:Bro did you just kill the cat.png|center|DAMN SHAWTY WYD IN HERE]]" wikitext text/x-wiki [[File:Bro did you just kill the cat.png|center|DAMN SHAWTY WYD IN HERE]] 78aab96e9cb3a4f1dea7add940c5fd7e5bf1b4ad Lord of Misrule 0 67 134 2023-07-01T09:53:31Z Neopolis 8 Made the page wow wikitext text/x-wiki {{Quote|With our combined powers, our might shall be so grand! We shalt stand even above the hosts!|Leviathan of Misrule}} '''Lord of Misrule''' is a vermin who is originally from the old universe, where he [https://vermin.fandom.com/wiki/19th_Tournament caused a little mischief]. When [[VEK Host]] destroyed the old universe, the Lord of Misrule was not fully destroyed, and his spirit persisted in the void between dimensions. ==Duel Tournament GX2: Waking the Shadows== By projecting his consciousness through the void, he was able to reach out to [[Halloween Island]], and put thoughts of a ritual in the head of vermin there. Queen Gloomhilde was the leader of the Cult of Misrule, which gathered on a spooky house on a fateful Halloween when the pumpkin moon was at its most powerful. When the ritual started, the mansion was magically sealed, preventing anyone from entering or leaving, and the 32 vermin inside had to perform a Duel tournament. Upon defeating an enemy, the victor would use the Seal of Misrule to seal the opponent's soul in a card, which they added to their deck, as a Duel version of Lord of Misrule's original ability. Any soul cards the opponent already had were destroyed. In the finals, Koumasteri and [[Ash'ellie]] were the only remaining vermin, with 4 soul cards each. Ash'ellie seemed to have doubts, but as she defeated Koumasteri, he reassured her to follow her heart before turning into a card as well. With nobody else left in the mansion, and 5 soul cards, she [https://www.youtube.com/watch?v=McORNKgWERA&list=PLR9Mg8dD8JGfZ_2ytWMfODg5xBNCLne_4&index=35 invoked the final Seal of Misrule] and summoned the Lord of Misrule back into this world. Returning as the '''Leviathan of Misrule''', he still did not have a corporeal form, with limited ability to affect the world. Lingering in the void also turned the lower half of his body into a dragon tail. The last step of the ritual would involve Ash'ellie becoming the Host of Misrule and giving her body to him. However, Ash'ellie decided to take Koumasteri's word to hard and defied him at the last step, refusing to comply and fighting him instead by using her soul cards against her. While Ash'ellie managed to hold out long enough to go through all the cards, she didn't have any way of actually damaging him, and would surely lose. However, when being summoned, Koumasteri broke free of his cardboard prison and delivered a fatal blow to the Leviathan of Misrule, turning him into a card as well. This released such powerful energies that the mansion started crumbling. This still didn't stop the ritual, and Koumasteri became the host for Lord of Misrule's soul instead. ==Blue Sky== He helped [[Blue Sky]] with something, I forget, idk, someone link to this once the Blue Sky page is done. ==Circus of Misrule== The Lord of Misrule remained in hiding for a while, Ash'ellie thought him dead and barely anyone else knew about his existence. In secret, he was working on his plan to have Hostlike powers and host his own chaotic tournaments. He wanted to disregard basically all established rules of VFC regarding balance, evolutions, teams. He was extremely powerful in his new form, and had the ability to create vermin out of nothing, which he used to create an army of minions, as well as create facsimiles of existing vermin, from the new and the old universe. These would become part of the Circus of Misrule, a place where the fighting would never have to stop or be dictated by Hosts. Ash'ellie became aware of his resurrection at some point and asked [[King GruBLAM]] for help, fearing for what he might do and wanting to free the souls of her friends. The king sent the four [[Knights of GruBLAM]] to investigate and deal with the problem. However, they took so long to find him that [https://neopolis.itch.io/circus-of-misrule the Circus of Misrule] was fully completed by the time they got there, and the Lord of Misrule forced them to join the game, recruiting vermin to their side, only to be forced to do it all over again, regardless of if they won or lost. ==True Ending of dubious canonicity== (I'm not sure if this ending is canon yet, or if it's like a split timeline kind of deal, because within the Circus of Misrule game, it's obviously canon that he's still around, but it would feel kinda weird in the main vermin world for him to still be around, so idk, I will probably decide on this at some point.) After many futile attempts to fight the Lord of Misrule instead of his minions, one of the Knights managed to use the power of the 4 other trapped souls in Koumasteri's body to strike back at the Lord of Misrule, stripping him of his invulnerability. A fierce fight ensued, which the knight barely won, resulting in the destruction of Koumasteri's body, reverting the Lord of Misrule to Leviathan form. This caused such a release of energy that it almost instantly wiped out the knight's team, spelling a certain loss. But in the nick of time, King GruBLAM and Ash'ellie arrived on the king's airship, The Pride of GruBLAM. Ash'ellie used a powerful bomb to resurrect the knight's team, and continued to deliver air support by chucking bombs at the battle. With their help, the knight defeated the Lord of Misrule fully, banishing him from this world and ending the Circus of Misrule. Koumasteri and the 4 other souls were still gone, but at least they were no longer enslaved. ==Information== *The Lord of Misrule almost entirely speaks in faux Olde English. This is because he thinks it's funny. 46c745600d53854f9e1cbc0f382e9a1d3f319e6f 137 134 2023-07-01T10:01:32Z Neopolis 8 Added images and stuff wikitext text/x-wiki [[File:Lord of Misrule.png|thumb|The lord of Misrule in his old universe form.]] {{Quote|With our combined powers, our might shall be so grand! We shalt stand even above the hosts!|Leviathan of Misrule}} '''Lord of Misrule''' is a vermin who is originally from the old universe, where he [https://vermin.fandom.com/wiki/19th_Tournament caused a little mischief]. When [[VEK Host]] destroyed the old universe, the Lord of Misrule was not fully destroyed, and his spirit persisted in the void between dimensions. ==Duel Tournament GX2: Waking the Shadows== By projecting his consciousness through the void, he was able to reach out to [[Halloween Island]], and put thoughts of a ritual in the head of vermin there. Queen Gloomhilde was the leader of the Cult of Misrule, which gathered on a spooky house on a fateful Halloween when the pumpkin moon was at its most powerful. When the ritual started, the mansion was magically sealed, preventing anyone from entering or leaving, and the 32 vermin inside had to perform a Duel tournament. Upon defeating an enemy, the victor would use the Seal of Misrule to seal the opponent's soul in a card, which they added to their deck, as a Duel version of Lord of Misrule's original ability. Any soul cards the opponent already had were destroyed. In the finals, Koumasteri and [[Ash'ellie]] were the only remaining vermin, with 4 soul cards each. Ash'ellie seemed to have doubts, but as she defeated Koumasteri, he reassured her to follow her heart before turning into a card as well. With nobody else left in the mansion, and 5 soul cards, she [https://www.youtube.com/watch?v=McORNKgWERA&list=PLR9Mg8dD8JGfZ_2ytWMfODg5xBNCLne_4&index=35 invoked the final Seal of Misrule] and summoned the Lord of Misrule back into this world. [[File:Leviathan of misrule.png|100px|thumb|Leviathan of Misrule]] Returning as the '''Leviathan of Misrule''', he still did not have a corporeal form, with limited ability to affect the world. Lingering in the void also turned the lower half of his body into a dragon tail. The last step of the ritual would involve Ash'ellie becoming the Host of Misrule and giving her body to him. However, Ash'ellie decided to take Koumasteri's word to hard and defied him at the last step, refusing to comply and fighting him instead by using her soul cards against her. While Ash'ellie managed to hold out long enough to go through all the cards, she didn't have any way of actually damaging him, and would surely lose. [[File:Host of Misrule.jpg|thumb|Lord of Misrule takes over Koumasteri's body]] However, when being summoned, Koumasteri broke free of his cardboard prison and delivered a fatal blow to the Leviathan of Misrule, turning him into a card as well. This released such powerful energies that the mansion started crumbling. This still didn't stop the ritual, and Koumasteri became the host for Lord of Misrule's soul instead. ==Blue Sky== He helped [[Blue Sky]] with something, I forget, idk, someone link to this once the Blue Sky page is done. ==Circus of Misrule== The Lord of Misrule remained in hiding for a while, Ash'ellie thought him dead and barely anyone else knew about his existence. In secret, he was working on his plan to have Hostlike powers and host his own chaotic tournaments. He wanted to disregard basically all established rules of VFC regarding balance, evolutions, teams. He was extremely powerful in his new form, and had the ability to create vermin out of nothing, which he used to create an army of minions, as well as create facsimiles of existing vermin, from the new and the old universe. These would become part of the Circus of Misrule, a place where the fighting would never have to stop or be dictated by Hosts. Ash'ellie became aware of his resurrection at some point and asked [[King GruBLAM]] for help, fearing for what he might do and wanting to free the souls of her friends. The king sent the four [[Knights of GruBLAM]] to investigate and deal with the problem. However, they took so long to find him that [https://neopolis.itch.io/circus-of-misrule the Circus of Misrule] was fully completed by the time they got there, and the Lord of Misrule forced them to join the game, recruiting vermin to their side, only to be forced to do it all over again, regardless of if they won or lost. ==True Ending of dubious canonicity== (I'm not sure if this ending is canon yet, or if it's like a split timeline kind of deal, because within the Circus of Misrule game, it's obviously canon that he's still around, but it would feel kinda weird in the main vermin world for him to still be around, so idk, I will probably decide on this at some point.) After many futile attempts to fight the Lord of Misrule instead of his minions, one of the Knights managed to use the power of the 4 other trapped souls in Koumasteri's body to strike back at the Lord of Misrule, stripping him of his invulnerability. A fierce fight ensued, which the knight barely won, resulting in the destruction of Koumasteri's body, reverting the Lord of Misrule to Leviathan form. This caused such a release of energy that it almost instantly wiped out the knight's team, spelling a certain loss. But in the nick of time, King GruBLAM and Ash'ellie arrived on the king's airship, The Pride of GruBLAM. Ash'ellie used a powerful bomb to resurrect the knight's team, and continued to deliver air support by chucking bombs at the battle. With their help, the knight defeated the Lord of Misrule fully, banishing him from this world and ending the Circus of Misrule. Koumasteri and the 4 other souls were still gone, but at least they were no longer enslaved. ==Information== *The Lord of Misrule almost entirely speaks in faux Olde English. This is because he thinks it's funny. *Duel GX2 was a reference to the shitty Yu-Gi-Oh! filler arc Waking the Dragons, which is why his lower body is like that and why he has a recoloured Seal of Orichalcos. b8d9d224e974df25827d934960e79f37120cb181 File:Leviathan of misrule.png 6 68 135 2023-07-01T09:56:18Z Neopolis 8 wikitext text/x-wiki The Leviathan of Misrule 6e0190312f52ddb03b8224b64510953c94f2cc0c File:Host of Misrule.jpg 6 69 136 2023-07-01T09:59:08Z Neopolis 8 wikitext text/x-wiki Koumasteri as the new Lord of Misrule 7e9be7fa2100959bfd1b96e4c8347772b9e60e0e File:DUDE.png 6 70 138 2023-07-01T10:06:33Z Neopolis 8 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 The High Priest 0 45 139 83 2023-07-01T10:07:15Z Neopolis 8 TogaQuest is vermin canon wikitext text/x-wiki [[File:High priest.png|thumb]] * the high priest rundown! cause who doesn't like weed? (approximately over 100 countries.) * they were originally made for the knights of grublam pageant, which is why i went super detailed in their design! even if they didnt win i'm rlly proud of the end result * making something so unapologetically drug related was kind of iffy on my part but i ended up happy with it. "the high priest" was too good of a pun to pass up * yes he is high all the time. the only distinction is whether he is still functioning levels of high or Oh God I Am Seeing Other Dimensions levels of high * she is definitely a loser stoner dont get me wrong but she also wants to do make something of herself by spreading peace and love.... and by trying to get marijuana legalized worldwide. she thinks weed is fucking Awesome but is aware its not suitable for everyone. she will generally avoid people who dont feel like being around someone who smells like an actual smoke cloud * they're essentially a walking plant-bug of cannabis; their hair has the texture of marijuana leaves, and their mushroom cap is removable. their antennae is consistently part of them and their blood color is probably not on the visible light spectrum but they are generally humanoid * it is genderfluid and pansexual and honestly couldnt care less as long as u like weed. it does not like commitment tho, preferring casual relationships over anything * on the surface, he loves a good party and enjoying the thrills of life, but behind that carefree façade he gets pretty nervous. he flounders social interactions constantly but its not him being high he just sucks at that LOL * outside of chronic kush smoking (it isn't bad for her btw), she practices gardening (...mainlyyy for weed) and other things that let her see nature, like sightseeing, hiking, and camping! [[File:DUDE.png|thumb]] * is the only vermin to solve TogaQuest (while blazed out of their fuckin skull) e6772d31c8f68cc9c002903b5ebe29aca9cd5a6f 151 139 2023-07-01T16:10:55Z Arllyhautegoth 4 wikitext text/x-wiki [[File:High priest.png|thumb|DUDE WEED LMAO]] * the high priest rundown! cause who doesn't like weed? (approximately over 100 countries.) * they were originally made for the knights of grublam pageant, which is why i went super detailed in their design! even if they didnt win i'm rlly proud of the end result * making something so unapologetically drug related was kind of iffy on my part but i ended up happy with it. "the high priest" was too good of a pun to pass up * yes he is high all the time. the only distinction is whether he is still functioning levels of high or Oh God I Am Seeing Other Dimensions levels of high * she is definitely a loser stoner dont get me wrong but she also wants to do make something of herself by spreading peace and love.... and by trying to get marijuana legalized worldwide. she thinks weed is fucking Awesome but is aware its not suitable for everyone. she will generally avoid people who dont feel like being around someone who smells like an actual smoke cloud * they're essentially a walking plant-bug of cannabis; their hair has the texture of marijuana leaves, and their mushroom cap is removable. their antennae is consistently part of them and their blood color is probably not on the visible light spectrum but they are generally humanoid * it is genderfluid and pansexual and honestly couldnt care less as long as u like weed. it does not like commitment tho, preferring casual relationships over anything * on the surface, he loves a good party and enjoying the thrills of life, but behind that carefree façade he gets pretty nervous. he flounders social interactions constantly but its not him being high he just sucks at that LOL * outside of chronic kush smoking (it isn't bad for her btw), she practices gardening (...mainlyyy for weed) and other things that let her see nature, like sightseeing, hiking, and camping! [[File:DUDE.png|thumb]] * is the only vermin to solve TogaQuest (while blazed out of their fuckin skull) 9ceeac8e1fad9977e9609594fa667c17b3ce7bbc Lord of Misrule 0 67 140 137 2023-07-01T10:12:53Z Subaluwa 2 wikitext text/x-wiki [[File:Lord of Misrule.png|thumb|The lord of Misrule in his old universe form.]] {{Quote|With our combined powers, our might shall be so grand! We shalt stand even above the hosts!|Leviathan of Misrule}} '''Lord of Misrule''' is a vermin who is originally from the old universe, where he [https://vermin.fandom.com/wiki/19th_Tournament caused a little mischief]. When [[VEK Host]] destroyed the old universe, the Lord of Misrule was not fully destroyed, and his spirit persisted in the void between dimensions. ==Duel Tournament GX2: Waking the Shadows== By projecting his consciousness through the void, he was able to reach out to [[Halloween Island]], and put thoughts of a ritual in the head of vermin there. Queen Gloomhilde was the leader of the Cult of Misrule, which gathered on a spooky house on a fateful Halloween when the pumpkin moon was at its most powerful. When the ritual started, the mansion was magically sealed, preventing anyone from entering or leaving, and the 32 vermin inside had to perform a Duel tournament. Upon defeating an enemy, the victor would use the Seal of Misrule to seal the opponent's soul in a card, which they added to their deck, as a Duel version of Lord of Misrule's original ability. Any soul cards the opponent already had were destroyed. In the finals, Koumasteri and [[Ash'ellie]] were the only remaining vermin, with 4 soul cards each. Ash'ellie seemed to have doubts, but as she defeated Koumasteri, he reassured her to follow her heart before turning into a card as well. With nobody else left in the mansion, and 5 soul cards, she [https://www.youtube.com/watch?v=McORNKgWERA&list=PLR9Mg8dD8JGfZ_2ytWMfODg5xBNCLne_4&index=35 invoked the final Seal of Misrule] and summoned the Lord of Misrule back into this world. [[File:Leviathan of misrule.png|100px|thumb|Leviathan of Misrule]] Returning as the '''Leviathan of Misrule''', he still did not have a corporeal form, with limited ability to affect the world. Lingering in the void also turned the lower half of his body into a dragon tail. The last step of the ritual would involve Ash'ellie becoming the Host of Misrule and giving her body to him. However, Ash'ellie decided to take Koumasteri's word to hard and defied him at the last step, refusing to comply and fighting him instead by using her soul cards against her. While Ash'ellie managed to hold out long enough to go through all the cards, she didn't have any way of actually damaging him, and would surely lose. [[File:Host of Misrule.jpg|thumb|Lord of Misrule takes over Koumasteri's body]] However, when being summoned, Koumasteri broke free of his cardboard prison and delivered a fatal blow to the Leviathan of Misrule, turning him into a card as well. This released such powerful energies that the mansion started crumbling. This still didn't stop the ritual, and Koumasteri became the host for Lord of Misrule's soul instead. ==Blue Sky== He helped [[Blue Sky]] use his host-sucking machine to suck off [[Big "Host" Smells]]' host powers, then blow Blue Sky with those powers. ==Circus of Misrule== The Lord of Misrule remained in hiding for a while, Ash'ellie thought him dead and barely anyone else knew about his existence. In secret, he was working on his plan to have Hostlike powers and host his own chaotic tournaments. He wanted to disregard basically all established rules of VFC regarding balance, evolutions, teams. He was extremely powerful in his new form, and had the ability to create vermin out of nothing, which he used to create an army of minions, as well as create facsimiles of existing vermin, from the new and the old universe. These would become part of the Circus of Misrule, a place where the fighting would never have to stop or be dictated by Hosts. Ash'ellie became aware of his resurrection at some point and asked [[King GruBLAM]] for help, fearing for what he might do and wanting to free the souls of her friends. The king sent the four [[Knights of GruBLAM]] to investigate and deal with the problem. However, they took so long to find him that [https://neopolis.itch.io/circus-of-misrule the Circus of Misrule] was fully completed by the time they got there, and the Lord of Misrule forced them to join the game, recruiting vermin to their side, only to be forced to do it all over again, regardless of if they won or lost. ==True Ending of dubious canonicity== (I'm not sure if this ending is canon yet, or if it's like a split timeline kind of deal, because within the Circus of Misrule game, it's obviously canon that he's still around, but it would feel kinda weird in the main vermin world for him to still be around, so idk, I will probably decide on this at some point.) After many futile attempts to fight the Lord of Misrule instead of his minions, one of the Knights managed to use the power of the 4 other trapped souls in Koumasteri's body to strike back at the Lord of Misrule, stripping him of his invulnerability. A fierce fight ensued, which the knight barely won, resulting in the destruction of Koumasteri's body, reverting the Lord of Misrule to Leviathan form. This caused such a release of energy that it almost instantly wiped out the knight's team, spelling a certain loss. But in the nick of time, King GruBLAM and Ash'ellie arrived on the king's airship, The Pride of GruBLAM. Ash'ellie used a powerful bomb to resurrect the knight's team, and continued to deliver air support by chucking bombs at the battle. With their help, the knight defeated the Lord of Misrule fully, banishing him from this world and ending the Circus of Misrule. Koumasteri and the 4 other souls were still gone, but at least they were no longer enslaved. ==Information== *The Lord of Misrule almost entirely speaks in faux Olde English. This is because he thinks it's funny. *Duel GX2 was a reference to the shitty Yu-Gi-Oh! filler arc Waking the Dragons, which is why his lower body is like that and why he has a recoloured Seal of Orichalcos. 99560e3e2bb29cbb296c9a1f9dab047e837aabe9 File:Can love bloom on a battlegraav.png 6 71 141 2023-07-01T11:53:54Z STRONGETS HOST OGRO 6 wikitext text/x-wiki kisssgraav 78f8b74dcdf6b7183f67979680f1784e38f4a7a7 The Skirmish 0 40 142 76 2023-07-01T11:54:09Z STRONGETS HOST OGRO 6 wikitext text/x-wiki [[File:Skirmish bracket.png|thumb]] The '''Skirmish''' was a "tournament" to decide which [[Wargraav|Skirmgraav-like]] was the strongest. The tournament would have ended with fights between burst modes and stage 3s, but the tournament was ended prematurely when insectoid alien battle machines invaded and killed everyone. [[File:Can love bloom on a battlegraav.png|thumb]] d572fcde4d05181f819028ea26d6693bbbd0592a The Office™ 0 72 143 2023-07-01T12:01:40Z Moth Anon 9 Page creation. wikitext text/x-wiki '''The Office™''' is a building in [[Yas Blamgeles]]. It is the working place of several Employees™, including [["NSFW-Fury"]]. ==Information== The Office™ is a relatively tall building with uncountably infinite floors. Accessing each floor of The Office™, despite this, is fairly easy - all one does is think about the floor they want to access and the elevator will take them there in a matter of seconds. While visitors are limited, the Employees™ of The Office™ are allowed to roam the building as they please, provided they have finished their day's work first. Thankfully, time is broken within The Office™, and it's not uncommon for those within to finish their work within a 'real world' minute or two. ==Employees™== An Employee™ of The Office™ is easily recognizable by the following characteristics: - Typically non-descript body with an object for a head. They are usually dressed formally, though this is not a requirement. - Employees™ rarely use their names, especially past Stage 1 - the stronger an Employee™, the better their Position™, and the easier it is for others to recognize them through a Nickname™. - Champs™ of The Office™ will see their image immortalized through an "Employee™ Of The Month™" frame, both over their desk, and the Wall of Fame™. ==Staff™== * The CEO™ [CEO] * [["NSFW-Fury"]] (Champion of Gnaw Tournament 1) [Head of Workplace Safety] * Snowflake (currently in the neverending snow of the Christmas Tournament) [HR Department] * Jala-niño (currently in Bullet Hell #3) [Underpaid intern] * Jani-Jani [Janitor] * Xeroxen (Retired in Tulip Heart Tournament 1) [The CEO™'s Pet] * ??? [Receptionist] * (You) ==Trivia== 87c2ce1ff819bdba6a2e1d810faa70be2d6dee9b 144 143 2023-07-01T12:01:52Z Moth Anon 9 wikitext text/x-wiki '''The Office™''' is a building in [[Yas Blamgeles]]. It is the working place of several Employees™, including [["NSFW-Fury"]]. ==Information== The Office™ is a relatively tall building with uncountably infinite floors. Accessing each floor of The Office™, despite this, is fairly easy - all one does is think about the floor they want to access and the elevator will take them there in a matter of seconds. While visitors are limited, the Employees™ of The Office™ are allowed to roam the building as they please, provided they have finished their day's work first. Thankfully, time is broken within The Office™, and it's not uncommon for those within to finish their work within a 'real world' minute or two. ==Employees™== An Employee™ of The Office™ is easily recognizable by the following characteristics: - Typically non-descript body with an object for a head. They are usually dressed formally, though this is not a requirement. - Employees™ rarely use their names, especially past Stage 1 - the stronger an Employee™, the better their Position™, and the easier it is for others to recognize them through a Nickname™. - Champs™ of The Office™ will see their image immortalized through an "Employee™ Of The Month™" frame, both over their desk, and the Wall of Fame™. ==Staff™== * The CEO™ [CEO] * [["NSFW-Fury"]] (Champion of Gnaw Tournament 1) [Head of Workplace Safety] * Snowflake (currently in the neverending snow of the Christmas Tournament) [HR Department] * Jala-niño (currently in Bullet Hell #3) [Underpaid intern] * Jani-Jani [Janitor] * Xeroxen (Retired in Tulip Heart Tournament 1) [The CEO™'s Pet] * ??? [Receptionist] * (You) ==Trivia== 1fe1868b9b1fa2a6b9e89ec98d99efc7e03e3017 Greater Ohio 0 28 145 99 2023-07-01T16:02:18Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Five Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== Ohio and ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ share an uneasy truce due to both being fallen kingdoms full of angst and trauma. However, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ harbors unspoken envy for Ohio's rich, flowing fields of grain. ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. [[Category:Kingdoms]] [[Category:Greater Ohio]] 9780fee4ee215f1fa3cb270faae68a6ff8248b0c EEEEEEEEE 0 50 146 127 2023-07-01T16:02:47Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. ==Information== [[File:Eeeee comic.png|thumb|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon.]] [[File:Dark seoul.png|thumb|The flag of EEEEEEEEE.]] This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. [[File:Pipes inc.png|thumb]]International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe like Acme or Mann Co. (Guns, however, are made by Gun™.) ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. ==Vermilion Pears== Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summon a lone soul to be it's forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. [[File:Paer.png|thumb|left]] ==Trivia== * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. * Also they have gundams fuck it. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 47cfab1a1564d0c7480421dc4174d86f8c3fe4a4 Hahalatia 0 47 147 92 2023-07-01T16:03:13Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Inhabitants== * <your vermin here> ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] 01084d24265dcff8d6c72c10d372038893cd2525 Archmungus Emeloth 0 23 148 48 2023-07-01T16:03:50Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Emeloth.png|thumb]] * archmungus was born in the slums of lower [[Greater Ohio|ohio]] and sought to become number 1 under the sun * the only way to reach that height is to climb to upper ohio and become king * now he rules ohio and throws corn down the ohio chute * the demons who once ruled over upper ohio and subjugated the ones below were defeated by the archmungus after centuries of control * but in his endless quest to achieve greater heights he now seeks to invade and take the neighboring kingdoms * long enough hero becomes villain etc * maybe he will be redeemed before the end * whooooo knows * also his court is filled with hundreds of his previous evos * little followers and fellow rune-tongue-things * also this is how he overthrew the old demon king of ohio <youtube>QmP8hJxWbmg</youtube> [[Category:Greater Ohio]] [[Category:Vermin]] f510608bfb1b11271938646ab4c44df307266682 Tunguska 0 57 149 115 2023-07-01T16:04:15Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Five Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ==Features== ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grow. The energy within the tree’s bark, and, more importantly, bring the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] c4d728b4148c2b355b0b4e6be9ceb9878fe302a0 Ballingypt 0 59 150 120 2023-07-01T16:05:11Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Five Kingdoms]]. Its leader is [[Gato Supreme]]. ==Information== They take sports very seriously. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 566eeb5415af2f7a6240a9560c83400995b77133 Main Page 0 1 152 133 2023-07-01T16:37:55Z Codacoda 10 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]]? bf031624bb24c344fc3b95f34472bf0b768497ec 167 152 2023-07-01T17:59:56Z Subaluwa 2 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[Five Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Converging timelines]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]]? a2eaef253bc32ef0fb76e3d4024be88cbb58934b 175 167 2023-07-02T09:35:18Z Bigsmells 7 /* The Divided Kingdoms */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Converging timelines]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]]? 102fbb30fe2e0ded56e1dbf58ae4e708c1e31bc3 184 175 2023-07-02T15:38:27Z Bigsmells 7 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Converging timelines]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]]? cc987ef6f39f3d02689f7c0fdaf3f5e78d9fa17b File:V-macro.png 6 73 153 2023-07-01T16:42:32Z 6sixVI 11 wikitext text/x-wiki Macroevolution's vermin sheet 9c7ecba68e5367c093dbd2f5781d1fdf4e8e0243 Ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ 0 74 154 2023-07-01T16:43:16Z Subaluwa 2 Redirected page to [[Special:MyLanguage/EEEEEEEEE]] wikitext text/x-wiki #REDIRECT [[Special:MyLanguage/EEEEEEEEE|</nowiki>EEEEEEEEE]] 05eea34b71b26cf1ebce8742a851c6947303260e File:Macroevospore.png 6 75 155 2023-07-01T16:46:49Z 6sixVI 11 wikitext text/x-wiki Macroevolution expressing enjoyment over winning the Spore-nament II (2v2) 020b9525185fdeb21f159744355864d802ae3f56 Macroevolution 0 76 156 2023-07-01T16:47:02Z Codacoda 10 Created page with "{{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|Macroevolution, seconds after champing in the Spore-nament II (2v2) - August 22, 2021.}} [[File:v-macro.png|thumb|left|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'', alongise ''Dikeye'', is a member of the team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format." wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|Macroevolution, seconds after champing in the Spore-nament II (2v2) - August 22, 2021.}} [[File:v-macro.png|thumb|left|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'', alongise ''Dikeye'', is a member of the team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. 35c7d5aac6965ee358af001091e9cf40fac31093 157 156 2023-07-01T16:47:27Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - ''August 22, 2021.''}} [[File:v-macro.png|thumb|left|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'', alongise ''Dikeye'', is a member of the team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. 4294cdef6f86d7a638c7f4800660cc0d771fe65e 159 157 2023-07-01T16:47:55Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:v-macro.png|thumb|left|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'', alongise ''Dikeye'', is a member of the team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. b0814e51b4919b4b00e36b0b46affc5afee1df7b 163 159 2023-07-01T17:09:45Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:v-macro.png|thumb|left|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'', alongise ''Dikeye'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. a7a636ba5af200fd3f379287c30305054a0ba27e 164 163 2023-07-01T17:12:17Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Macroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''Dikeye'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. 0241dc8ec6811e86bfda9ecf355af7fc968372a6 165 164 2023-07-01T17:12:38Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''Dikeye'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. 8c7484338bdbf877a6d9c6baa0437f3965bd0283 166 165 2023-07-01T17:14:45Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. 092e3987c88935112f49a796e88e2b7d36fe7c14 File:Macroevospore1.png 6 77 158 2023-07-01T16:47:54Z 6sixVI 11 wikitext text/x-wiki Macroevolution laughing with his teammate, Dikeye, on the side. This isn't about him. e6442128d6e9470f5eec35fbfec922c5ac9b4e2f File:Macrokek.png 6 78 160 2023-07-01T16:48:45Z 6sixVI 11 wikitext text/x-wiki Macroevolution laughing thumbnail. Be sure to use this to laugh at your friends for not making Macroevolution. d91ba4e96b8b4309a45f311094793c3801f58b36 File:Marcroevo.png 6 79 161 2023-07-01T16:49:22Z 6sixVI 11 wikitext text/x-wiki Tiny sprite of Macroevolution. Look at him go. LOOK AT HIM!! 6a856fbe24ba29387fc1d3f4ec02f48bc7d53b29 File:V-tnatsec.png 6 80 162 2023-07-01T16:50:15Z 6sixVI 11 wikitext text/x-wiki Team Natural Selection, pictured are Macroevolution and Eyebis. 2a29948fb97532de10192ce062f6b8a1707cd4fd File:Laserface phancussion.png 6 81 168 2023-07-01T18:00:33Z Subaluwa 2 wikitext text/x-wiki yeah, about your phancussion statue... cdea8f76a8c95590304a94fd25e8552d62192783 Starters 0 82 169 2023-07-01T18:16:37Z Subaluwa 2 Created page with "[[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. ==New universe=== ==Blor..." wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. ==New universe=== ==Blorf=== The new universe's Blorf became [[Blue Sky]]. d5896e5ee0313f2121af08e9d5f3c0b7d204e6f2 170 169 2023-07-01T19:52:15Z Subaluwa 2 wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the old universe, and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. ==New universe=== ==Blorf=== The new universe's Blorf became [[Blue Sky]]. 8ff1f2c40f0c4f9cb8ccd772deef55c90a11616d 171 170 2023-07-01T19:55:30Z Subaluwa 2 wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the old universe, and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe, along with all of the other starters. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. ==New universe== Most of the starters were not born in the new timeline. ===Blorf=== The new universe's Blorf became [[Blue Sky]]. ===Gnawbone=== Became a host-vermin hybrid. 9afe7a12137945a4023f6df1097c94a75538d068 172 171 2023-07-01T19:59:50Z 177.22.169.21 0 /* New universe */ wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the old universe, and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe, along with all of the other starters. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. ==New universe== Most of the starters were not born in the new timeline. ===Blorf=== The new universe's Blorf became [[Blue Sky]]. ===Gnawbone=== Became a host-vermin hybrid. ===Grabape=== Still no third evo, blood variant spotted bursting out of a detective's chest. d268db88d8b82573ff08a3b13337be9aded8c450 Talk:Main Page 1 83 173 2023-07-01T22:55:53Z STRONGETS HOST OGRO 6 Created page with "when the verm" wikitext text/x-wiki when the verm 239cecd1334d78e0d0c3f31cf4f80d6f84273961 File:Vermerica.png 6 84 174 2023-07-02T09:33:35Z Bigsmells 7 wikitext text/x-wiki Map of Vermerica 673ef152b57bf2248bf0d4aa0e2639e79f04d7ab Vermerica 0 85 176 2023-07-02T11:34:14Z Bigsmells 7 Created page with "[[File:Vermerica.png|frame|center|The Map of Vermerica]] Vermerica is a continent on Vearth where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There w..." wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] Vermerica is a continent on Vearth where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmins. They weren't allowed in The City while it was constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. cadd4de930ef67d2b0642e5a5e08f31c901a5958 177 176 2023-07-02T11:35:16Z Bigsmells 7 wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] Vermerica is a continent on [[Vearth]] where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmins. They weren't allowed in The City while it was constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. 191f77ceebb09bfd47f69199556932244fc2896a 178 177 2023-07-02T11:46:56Z Bigsmells 7 wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] '''Vermerica''' is a continent on [[Vearth]] where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and a bunch of wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmins. They weren't allowed in The City while it was constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. a8477b65610dd5d81327ea52c749f75f90ab5a94 179 178 2023-07-02T11:47:26Z Bigsmells 7 /* History */ wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] '''Vermerica''' is a continent on [[Vearth]] where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and a bunch of wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmin. They weren't allowed in The City while it was being constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. 4d0bcdea1043bf07b69ccfac43cb617744622240 187 179 2023-07-02T15:48:17Z Bigsmells 7 /* Relationship With The Divided Kingdoms */ wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] '''Vermerica''' is a continent on [[Vearth]] where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and a bunch of wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmin. They weren't allowed in The City while it was being constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There are some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. 52267da25bab3f8998614c2a15aa49ed6bd79fde File:Map of Halloween Island.png 6 86 180 2023-07-02T15:14:53Z Bigsmells 7 wikitext text/x-wiki Map of Halloween Island 6ee45f6eac35df1c3883d5a634694b0e9c3cb6c3 File:Misrule and friends.png 6 87 181 2023-07-02T15:17:04Z Bigsmells 7 wikitext text/x-wiki it's them 643f93d8f82806e2a2f0c682c91fefd2daceffec Halloween Island 0 88 182 2023-07-02T15:18:21Z Bigsmells 7 Created page with "[[File:Map of Halloween Island.png|frame|center|Map of Halloween Island]] '''Halloween Island''' is a deserted island to the South-East of [[Vermerica]], separated by The Spooky Sea. In the heart of [[Yas Blamgeles]] appears a strange orange door at the start of October, which leads to spooky scary fields full of old ruins and dark magic. Vermin spend the entire month exploring the fields and hosts take advantage of the eerie atmosphere to run festive tournaments. The o..." wikitext text/x-wiki [[File:Map of Halloween Island.png|frame|center|Map of Halloween Island]] '''Halloween Island''' is a deserted island to the South-East of [[Vermerica]], separated by The Spooky Sea. In the heart of [[Yas Blamgeles]] appears a strange orange door at the start of October, which leads to spooky scary fields full of old ruins and dark magic. Vermin spend the entire month exploring the fields and hosts take advantage of the eerie atmosphere to run festive tournaments. The orange door disappears at the end of every October, so it is very important to keep track of time while exploring. This tradition is a huge part of Yas Blamgeles, and was not questioned until someone stumbled upon a coastline. It was initially believed that these lands were part of a realm outside of time and space, but now there was a growing theory that this place was an island after all. After many lengthy and dangerous voyages, this theory was eventually confirmed. It is still far easier to reach the island using the seasonal orange door, so this discovery did not end up changing the tradition much at all. What DID end up changing it was the [[Lord of Misrule]]. He has currently claimed Halloween Island for himself and enchanted it with his circus magic. Vermin who want to visit the island are advised to not explore too far South, lest they become a victim of [https://neopolis.itch.io/circus-of-misrule whatever sick game he is playing]. [[File:Misrule and friends.png|frameless|center]] 3193eff2f77b0edc52c67f0f9aa695dafa1de372 Yas Blamgeles 0 4 183 9 2023-07-02T15:36:40Z Bigsmells 7 wikitext text/x-wiki [[File:Yas blamgeles.png|600 px|center]] '''Yas Blamgeles''' is the city where anyone who's anyone lives. Almost all tournaments take place here. ==History== The continent of [[Vermerica]] used to be a very tranquil place, full of diverse cultures and geography, until one day two mysterious infections spread across the earth. These were particularly deadly (one corrodes the land and one corrodes minds), and so most vermin decided to leave their lives behind to travel up North. They created a wall of cleansing energy to protect themselves with their combined strength, though how they did this is lost to history. Now safe from the infections, the vermin divided the remaining land using colours to separate the cultures from each other. This way of life persisted for a few generations, but eventually grew to be unstable. It was one day decided by the elders of each culture that the survival of the vermin species depended on cooperation. A large, sprawling city was planned and the cultural borders were turned into districts. The city was literally called The City, because the population believed that they were the only civilised vermin left in existence and so could get away with that. The elders ruled The City as a silent oligarchy but were faced with backlash about a decade later when the population grew bored with metropolitan life. Almost on cue, a strange hole opened up from the ground and many confused vermin came crawling out. These new vermin were from a similar yet destroyed universe and were granted new lives in The City. They share their history and experiences with everyone as thanks, and The City became obsessed with the characters of the destroyed universe. [https://vermin.miraheze.org/wiki/Starters Blorf, Dinoswordus, and Laserface] became household names and merchandised overnight. This all lead to The City becoming culturally unified through celebrity worship. [[King GruBLAM!]] became the first true modem celebrity after taking down the [[Nutbringer]], who crawled out of the hole to claim Vermerica for itself. Although considered to be the people's king and very wealthy, the oligarchy of elders still ruled from the shadows. Champions were generally treated as celebrities after this, and tournaments became serious televised events. Most vermin spent their lives working by day and watching tournaments by night, until the discovery of [[Halloween Island]] kickstarted a general sense of adventure in the population. Everyone in The City now knew that there were other landmasses out there, that could potentially house other vermin and societies. It was then decided that The City should be renamed to a more unique name, and Yas Blamgeles was chosen in honour of King GruBLAM! and [[YAAAS]]. Vermin really got into sailing at this time, but soon discovered that there was a terrible whirlpool to the North-West called [[The Vermuda Circle]]. Despite all the vermin who drowned trying to pierce it, the population was stubborn and just had to know what was on the other side. Finally, after so many causalities and wasted [[blastcoin]], ships from Yas Blamgeles finally pierced through the eye of the storm and emerged at the other side, discovering [[The Divided Kingdoms]]. This is where the story of Yas Blamgeles currently ends... ==Random Stuff== * [[The Office™]] is a building in Yas Blamgeles. 76b3c18383290dd411fe661c00a3b45573a3bdbe File:Hosts and Vermin.png 6 89 185 2023-07-02T15:40:57Z Bigsmells 7 wikitext text/x-wiki Hosts and Vermin 4c0d6b6f4bb661849681a470db34ecc38673069c Vermin and Hosts 0 90 186 2023-07-02T15:42:03Z Bigsmells 7 Created page with "There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt Following this, a vermin is simply any creature that can fight in a tournaments. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of comb..." wikitext text/x-wiki There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt Following this, a vermin is simply any creature that can fight in a tournaments. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of combat forms. Hosts and vermin generally live in peace and work together, with the hosts helping vermin grow stronger and stay entertained and the vermin keeping the hosts safe and content. This peace can be threatened when a vermin develops the powers of a host somehow, becoming a vermin-host hybrid. These hybrids have powers greater than the sum of their parts and can be quite dangerous if they choose to be. Hybrids are incredibly rare, so this is normally not an issue. [[File:Hosts and Vermin.png|frameless|center|A example of a host, a vermin, and a hybrid.]] 6967c661b5a6c76a72b288a705a77f1280d19c03 The Divided Kingdoms 0 8 188 130 2023-07-03T02:15:58Z Subaluwa 2 Subaluwa moved page [[Five Kingdoms]] to [[The Divided Kingdoms]] wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The '''Five Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] [[File:Da counter chart.png|thumb|Very true and really official power dynamic of the kingdoms]] <youtube>ADYzngt9wdg</youtube> [[Category:Kingdoms]] e8308699228d458e80e3aeb045e47dcce18982dd Five Kingdoms 0 91 189 2023-07-03T02:15:58Z Subaluwa 2 Subaluwa moved page [[Five Kingdoms]] to [[The Divided Kingdoms]] wikitext text/x-wiki #REDIRECT [[The Divided Kingdoms]] 4b93758b2fc5bfa448390243991db42fa81301da The Divided Kingdoms 0 8 190 188 2023-07-03T02:16:17Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The five '''Divided Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. The kingdoms are: * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] The kings are: * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] [[File:Da counter chart.png|thumb|Very true and really official power dynamic of the kingdoms]] <youtube>ADYzngt9wdg</youtube> [[Category:Kingdoms]] ce1ede95c234d1f7fc1d57ce1b9cb8f69a943b34 191 190 2023-07-03T02:16:59Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The five '''Divided Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. ==Kingdoms== * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] ==Kings== * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] [[File:Da counter chart.png|thumb|Very true and really official power dynamic of the kingdoms]] <youtube>ADYzngt9wdg</youtube> [[Category:Kingdoms]] 4e3b9c91e25f1947a013b618f46605305077415e Main Page 0 1 192 184 2023-07-03T02:20:24Z Subaluwa 2 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Converging timelines]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] 419b9b64b3aba117300a6fd52188842004ccddeb 211 192 2023-07-03T19:51:34Z Subaluwa 2 /* Tulip Heart */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] b1d79b9c22f21670dd2296b2903e57c0c1d4c401 Host 0 92 193 2023-07-03T02:25:30Z Subaluwa 2 Redirected page to [[Special:MyLanguage/Vermin and Hosts]] wikitext text/x-wiki #REDIRECT [[Special:MyLanguage/Vermin and Hosts|</nowiki>Vermin and Hosts]] 1d07b7c203ae3e1c2aa5ecadc391b9d251638590 Starters 0 82 194 172 2023-07-03T02:29:27Z Subaluwa 2 wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the old universe, and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe, along with all of the other starters. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. He lives in a slightly overpriced apartment in the safe part of [[Yas Blamgeles]]. He is part of the local chess and robotics clubs, but doesn't go out much beyond that. Despite being a beloved celebrity, Laserface didn't let the fame get to his head; his brain can only process schematics and gronks. ==New universe== Most of the starters were not born in the new timeline, but when vermin from the old universe flooded into [[Vermerica]], their stories of the old times and of the heroic original three struck the hearts of those in the new universe. This resulted in the starters becoming worldwide celebrities overnight. ===Blorf=== The new universe's Blorf became [[Blue Sky]]. ===Gnawbone=== Became a host-vermin hybrid. Did nothing with this awesome power except run tournaments. ===Grabape=== Still no third evo, blood variant spotted bursting out of a detective's chest. a424265da4452807827c4c9cd75bc7d98e5f6a03 237 194 2023-07-05T02:15:37Z Subaluwa 2 wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the [[old universe]], and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe, along with all of the other starters. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. He lives in a slightly overpriced apartment in the safe part of [[Yas Blamgeles]]. He is part of the local chess and robotics clubs, but doesn't go out much beyond that. Despite being a beloved celebrity, Laserface didn't let the fame get to his head; his brain can only process schematics and gronks. ==New universe== Most of the starters were not born in the new timeline, but when vermin from the old universe flooded into [[Vermerica]], their stories of the old times and of the heroic original three struck the hearts of those in the new universe. This resulted in the starters becoming worldwide celebrities overnight. ===Blorf=== The new universe's Blorf became [[Blue Sky]]. ===Gnawbone=== Became a host-vermin hybrid. Did nothing with this awesome power except run tournaments. ===Grabape=== Still no third evo, blood variant spotted bursting out of a detective's chest. 96f3072395367e7fdad60f5ccce0757c02c7c9e4 Vermin and Hosts 0 90 195 186 2023-07-03T02:47:19Z Subaluwa 2 wikitext text/x-wiki There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt. Following this, a vermin is simply any creature that can fight in a tournament. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of combat forms. Hosts and vermin generally live in peace and work together, with the hosts helping vermin grow stronger and stay entertained and the vermin keeping the hosts safe and content. This peace can be threatened when a vermin develops the powers of a host somehow, becoming a vermin-host hybrid. These hybrids have powers greater than the sum of their parts and can be quite dangerous if they choose to be. Hybrids are incredibly rare, so this is normally not an issue. [[File:Hosts and Vermin.png|frameless|center|A example of a host, a vermin, and a hybrid.]] ==Vermin== There are countless vermin out there, all incredibly different from each other. Generally, vermin enjoy fighting each other and become stronger when they do so, hence the need for tournaments. ==Hosts== Hosts are non-vermin entities with phenomenal cosmic powers. Known hosts include: * [[Big "Host" Smells]] * [[The Seer]] * [[Coin Host]], Doin Host 53f9cf421bc4c19394eb773b1819ea415ec56de8 196 195 2023-07-03T02:48:25Z Subaluwa 2 wikitext text/x-wiki There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt. Following this, a vermin is simply any creature that can fight in a tournament. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of combat forms. Hosts and vermin generally live in peace and work together, with the hosts helping vermin grow stronger and stay entertained and the vermin keeping the hosts safe and content. This peace can be threatened when a vermin develops the powers of a host somehow, becoming a vermin-host hybrid. These hybrids have powers greater than the sum of their parts and can be quite dangerous if they choose to be. Hybrids are incredibly rare, so this is normally not an issue. [[File:Hosts and Vermin.png|frameless|center|A example of a host, a vermin, and a hybrid.]] ==Vermin== There are countless vermin out there, all incredibly different from each other. Generally, vermin enjoy fighting each other and become stronger when they do so, hence the need for tournaments. ==Hosts== Hosts are non-vermin entities with phenomenal cosmic powers. Known hosts include: * [[Big "Host" Smells]] * [[The Seer]] * [[Coin Host]], Doin Host Vermin may also take on the power of a host to become a hybrid. Known hybrids are: * [[Starters#Gnawbone|Gnawbone]] * [[Blue Sky]] 2501f40b61bdd7fd76aadf4338d18dcd029877cf 201 196 2023-07-03T19:18:31Z Subaluwa 2 wikitext text/x-wiki There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt. Following this, a vermin is simply any creature that can fight in a tournament. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of combat forms. Hosts and vermin generally live in peace and work together, with the hosts helping vermin grow stronger and stay entertained and the vermin keeping the hosts safe and content. This peace can be threatened when a vermin develops the powers of a host somehow, becoming a vermin-host hybrid. These hybrids have powers greater than the sum of their parts and can be quite dangerous if they choose to be. Hybrids are incredibly rare, so this is normally not an issue. [[File:Hosts and Vermin.png|frameless|center|A example of a host, a vermin, and a hybrid.]] ==Vermin== There are countless vermin out there, all incredibly different from each other. Generally, vermin enjoy fighting each other and become stronger when they do so, hence the need for tournaments. ==Hosts== Hosts are non-vermin entities with phenomenal cosmic powers. Known hosts include: * [[Big "Host" Smells]] * [[The Seer]] * [[Coin Host]], Doin Host * [[Duel Host]] Vermin may also take on the power of a host to become a hybrid. Known hybrids are: * [[Starters#Gnawbone|Gnawbone]] * [[Blue Sky]] [[Category:Hosts]] f6337aba624a69447dbd13975a68fa65b443d366 209 201 2023-07-03T19:37:48Z Subaluwa 2 wikitext text/x-wiki There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt. Following this, a vermin is simply any creature that can fight in a tournament. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of combat forms. Hosts and vermin generally live in peace and work together, with the hosts helping vermin grow stronger and stay entertained and the vermin keeping the hosts safe and content. This peace can be threatened when a vermin develops the powers of a host somehow, becoming a vermin-host hybrid. These hybrids have powers greater than the sum of their parts and can be quite dangerous if they choose to be. Hybrids are incredibly rare, so this is normally not an issue. [[File:Hosts and Vermin.png|frameless|center|A example of a host, a vermin, and a hybrid.]] ==Vermin== There are countless vermin out there, all incredibly different from each other. Generally, vermin enjoy fighting each other and become stronger when they do so, hence the need for tournaments. ==Hosts== Hosts are non-vermin entities with phenomenal cosmic powers. Known hosts include: * [[Big "Host" Smells]] * [[The Seer]] * [[Coin Host]], Doin Host * [[Duel Host]] Vermin may also take on the power of a host to become a hybrid. Known hybrids are: * [[Starters#Gnawbone|Gnawbone]] * [[Blue Sky]] [[Category:Hosts]][[Category:Vermin]] 3a2bbb956d0199605c38da36afbb326fcbc4bcdc Coin Host 0 43 197 80 2023-07-03T19:12:05Z Subaluwa 2 wikitext text/x-wiki [[File:Coin Host.png|thumb]] '''Coin Host''' is a [[host]]. He runs Battle Cats tournaments. ==Information== He is formerly from the old universe, but was spirited away by Elder Crab Bucket to the [[Infinite Wumpus]] space station just before [[VEK Host]] destroyed the world. [[File:Coin doin slap.png|thumb]] Coin Host has a counterpart in the new universe known as Doin Host. Since Coin Host lost his old Blorf and Dinoswordus bases to the VEKpocalypse, he relies on Doin Host to hold tournaments for him. Doin Host is morose and pessimistic due to growing up in an era where vermins was dead. He doesn't break out his Age of War engine unless Coin Host forces him to. ==Trivia== * Elder Crab Bucket is constantly nagging him to hold tourneys again, but he's too lazy and easily distracted. [[Category:Hosts]] 08f8a1e3c5afe7e77c4abc2e9d1995e68c858cac Category:Hosts 14 93 198 2023-07-03T19:12:42Z Subaluwa 2 Created page with "'''Hosts''' are non-vermin entities that run tournaments." wikitext text/x-wiki '''Hosts''' are non-vermin entities that run tournaments. c821f4c6999e7cd20727f64da17b9781038381c1 199 198 2023-07-03T19:17:38Z Subaluwa 2 wikitext text/x-wiki '''Hosts''' are non-vermin entities that run tournaments. For more info, see [[Vermin and Hosts]]. d79805aea1b04c55cc04823b1a3cda8826d3dc5c The Seer 0 10 200 116 2023-07-03T19:18:09Z Subaluwa 2 wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Five Kingdoms]] and is older than the five kings. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea [[Category:Hosts]] daf55f3c20c95bc41a1231537c8a1f879a80776b File:Bob.png 6 94 202 2023-07-03T19:20:32Z Subaluwa 2 wikitext text/x-wiki Bob from Duel 8a3a14feb5534486b896cb54991f9e716f0e3897 206 202 2023-07-03T19:35:51Z Subaluwa 2 Subaluwa uploaded a new version of [[File:Bob.png]] wikitext text/x-wiki Bob from Duel 8a3a14feb5534486b896cb54991f9e716f0e3897 File:Duel champs.jpg 6 95 203 2023-07-03T19:26:19Z Subaluwa 2 wikitext text/x-wiki Bob Duel Host next to coomer champs ec7532ec654caf812ca60fae428d79237a503234 Duel Host 0 96 204 2023-07-03T19:27:20Z Subaluwa 2 Created page with "[[File:Bob.png|thumb]] '''Duel Host''' is not actually a character. [[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel game shop, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. But maybe he is, secretly... ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 75% winrate in his tournaments. [[Category:Hosts]]" wikitext text/x-wiki [[File:Bob.png|thumb]] '''Duel Host''' is not actually a character. [[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel game shop, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. But maybe he is, secretly... ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 75% winrate in his tournaments. [[Category:Hosts]] 99706dbcba1bc02637de8f874a3199444b211070 205 204 2023-07-03T19:34:57Z Subaluwa 2 wikitext text/x-wiki [[File:Bob.png|thumb]] '''Duel Host''' is not actually a character. ==Information== [[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel Vermin game store, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. But maybe he is, secretly... Bob is the guy who yells "IT'S TIME TO D-D-D-D-DUEL" before every match. ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 75% winrate in his tournaments. * His relation to the [[Lord of Misrule]] is unknown. [[Category:Hosts]] 06f5cab7886035e172eeac9ec439104bec11676a Lord of Misrule 0 67 207 140 2023-07-03T19:36:45Z Subaluwa 2 wikitext text/x-wiki [[File:Lord of Misrule.png|thumb|The lord of Misrule in his old universe form.]] {{Quote|With our combined powers, our might shall be so grand! We shalt stand even above the hosts!|Leviathan of Misrule}} '''Lord of Misrule''' is a vermin who is originally from the old universe, where he [https://vermin.fandom.com/wiki/19th_Tournament caused a little mischief]. When [[VEK Host]] destroyed the old universe, the Lord of Misrule was not fully destroyed, and his spirit persisted in the void between dimensions. ==Duel Tournament GX2: Waking the Shadows== By projecting his consciousness through the void, he was able to reach out to [[Halloween Island]], and put thoughts of a ritual in the head of vermin there. Queen Gloomhilde was the leader of the Cult of Misrule, which gathered on a spooky house on a fateful Halloween when the pumpkin moon was at its most powerful. When the ritual started, the mansion was magically sealed, preventing anyone from entering or leaving, and the 32 vermin inside had to perform a Duel tournament. Upon defeating an enemy, the victor would use the Seal of Misrule to seal the opponent's soul in a card, which they added to their deck, as a Duel version of Lord of Misrule's original ability. Any soul cards the opponent already had were destroyed. In the finals, Koumasteri and [[Ash'ellie]] were the only remaining vermin, with 4 soul cards each. Ash'ellie seemed to have doubts, but as she defeated Koumasteri, he reassured her to follow her heart before turning into a card as well. With nobody else left in the mansion, and 5 soul cards, she [https://www.youtube.com/watch?v=McORNKgWERA&list=PLR9Mg8dD8JGfZ_2ytWMfODg5xBNCLne_4&index=35 invoked the final Seal of Misrule] and summoned the Lord of Misrule back into this world. [[File:Leviathan of misrule.png|100px|thumb|Leviathan of Misrule]] Returning as the '''Leviathan of Misrule''', he still did not have a corporeal form, with limited ability to affect the world. Lingering in the void also turned the lower half of his body into a dragon tail. The last step of the ritual would involve Ash'ellie becoming the Host of Misrule and giving her body to him. However, Ash'ellie decided to take Koumasteri's word to hard and defied him at the last step, refusing to comply and fighting him instead by using her soul cards against her. While Ash'ellie managed to hold out long enough to go through all the cards, she didn't have any way of actually damaging him, and would surely lose. [[File:Host of Misrule.jpg|thumb|Lord of Misrule takes over Koumasteri's body]] However, when being summoned, Koumasteri broke free of his cardboard prison and delivered a fatal blow to the Leviathan of Misrule, turning him into a card as well. This released such powerful energies that the mansion started crumbling. This still didn't stop the ritual, and Koumasteri became the host for Lord of Misrule's soul instead. ==Blue Sky== He helped [[Blue Sky]] use his host-sucking machine to suck off [[Big "Host" Smells]]' host powers, then blow Blue Sky with those powers. ==Circus of Misrule== The Lord of Misrule remained in hiding for a while, Ash'ellie thought him dead and barely anyone else knew about his existence. In secret, he was working on his plan to have Hostlike powers and host his own chaotic tournaments. He wanted to disregard basically all established rules of VFC regarding balance, evolutions, teams. He was extremely powerful in his new form, and had the ability to create vermin out of nothing, which he used to create an army of minions, as well as create facsimiles of existing vermin, from the new and the old universe. These would become part of the Circus of Misrule, a place where the fighting would never have to stop or be dictated by Hosts. Ash'ellie became aware of his resurrection at some point and asked [[King GruBLAM]] for help, fearing for what he might do and wanting to free the souls of her friends. The king sent the four [[Knights of GruBLAM]] to investigate and deal with the problem. However, they took so long to find him that [https://neopolis.itch.io/circus-of-misrule the Circus of Misrule] was fully completed by the time they got there, and the Lord of Misrule forced them to join the game, recruiting vermin to their side, only to be forced to do it all over again, regardless of if they won or lost. ==True Ending of dubious canonicity== (I'm not sure if this ending is canon yet, or if it's like a split timeline kind of deal, because within the Circus of Misrule game, it's obviously canon that he's still around, but it would feel kinda weird in the main vermin world for him to still be around, so idk, I will probably decide on this at some point.) After many futile attempts to fight the Lord of Misrule instead of his minions, one of the Knights managed to use the power of the 4 other trapped souls in Koumasteri's body to strike back at the Lord of Misrule, stripping him of his invulnerability. A fierce fight ensued, which the knight barely won, resulting in the destruction of Koumasteri's body, reverting the Lord of Misrule to Leviathan form. This caused such a release of energy that it almost instantly wiped out the knight's team, spelling a certain loss. But in the nick of time, King GruBLAM and Ash'ellie arrived on the king's airship, The Pride of GruBLAM. Ash'ellie used a powerful bomb to resurrect the knight's team, and continued to deliver air support by chucking bombs at the battle. With their help, the knight defeated the Lord of Misrule fully, banishing him from this world and ending the Circus of Misrule. Koumasteri and the 4 other souls were still gone, but at least they were no longer enslaved. ==Information== *The Lord of Misrule almost entirely speaks in faux Olde English. This is because he thinks it's funny. *Duel GX2 was a reference to the shitty Yu-Gi-Oh! filler arc Waking the Dragons, which is why his lower body is like that and why he has a recoloured Seal of Orichalcos. [[Category:Vermin]] cceff370d2764ad61c11df1ebdc2ae40c0729732 Category:Vermin 14 97 208 2023-07-03T19:37:24Z Subaluwa 2 Created page with "'''Vermin''' are a diverse species of entities which fight in tournaments. For more information, see [[Vermin and Hosts]]." wikitext text/x-wiki '''Vermin''' are a diverse species of entities which fight in tournaments. For more information, see [[Vermin and Hosts]]. 49764ebdc85caa57c88e3ad4a471e65d90a695e7 Hyper Convergence 0 98 210 2023-07-03T19:51:13Z Subaluwa 2 Created page with "At the end of Tulip Heart Tournament 4, the '''timelines converged''', bringing vermin from four different universes together and granting them hyper power. <youtube>52o2kYEfwVM</youtube> ==Information== The four different timelines of TH4 were created by an experiment done by a very technically proficient scientist vermin in some far off universe attempting to figure out how to hop between dimensions. The hole in reality it created in the current dimension, aka Timeli..." wikitext text/x-wiki At the end of Tulip Heart Tournament 4, the '''timelines converged''', bringing vermin from four different universes together and granting them hyper power. <youtube>52o2kYEfwVM</youtube> ==Information== The four different timelines of TH4 were created by an experiment done by a very technically proficient scientist vermin in some far off universe attempting to figure out how to hop between dimensions. The hole in reality it created in the current dimension, aka Timeline A, is marked as "Don't worry about it" on the world map. 16 vermin were recruited as an exploration party to enter the tear. During TH4, four different tournament timelines happened, because 4 sets of the same 16 vermin all entered the tear in different universes at the same time. The separate universes still exist as parallels to the current vermin world, which exist as very similar but still slightly divergent worlds to our own. At the climax of the tournament, the semifinalists were granted hyper power, gaining x10 stats and 90% winrate abilities. The hyper vermin were the singularity point of a vermin's power^4. ==Trivia== * Tequilia, the champion, didn't actually realize the timelines were converging. *Fortress of Min guy isn't actually a vampire. He just got bitten by a bat while cleaning his castle and went "well that's that", prompting him to start wearing a cape and inserting 'bleh' into all his sentences. dd3e80b340293bdb90967d1f35085a181e82c947 212 210 2023-07-03T19:51:56Z Subaluwa 2 Subaluwa moved page [[Converging timelines]] to [[Hyper Convergence]] wikitext text/x-wiki At the end of Tulip Heart Tournament 4, the '''timelines converged''', bringing vermin from four different universes together and granting them hyper power. <youtube>52o2kYEfwVM</youtube> ==Information== The four different timelines of TH4 were created by an experiment done by a very technically proficient scientist vermin in some far off universe attempting to figure out how to hop between dimensions. The hole in reality it created in the current dimension, aka Timeline A, is marked as "Don't worry about it" on the world map. 16 vermin were recruited as an exploration party to enter the tear. During TH4, four different tournament timelines happened, because 4 sets of the same 16 vermin all entered the tear in different universes at the same time. The separate universes still exist as parallels to the current vermin world, which exist as very similar but still slightly divergent worlds to our own. At the climax of the tournament, the semifinalists were granted hyper power, gaining x10 stats and 90% winrate abilities. The hyper vermin were the singularity point of a vermin's power^4. ==Trivia== * Tequilia, the champion, didn't actually realize the timelines were converging. *Fortress of Min guy isn't actually a vampire. He just got bitten by a bat while cleaning his castle and went "well that's that", prompting him to start wearing a cape and inserting 'bleh' into all his sentences. dd3e80b340293bdb90967d1f35085a181e82c947 224 212 2023-07-03T20:59:28Z Subaluwa 2 wikitext text/x-wiki At the end of Tulip Heart Tournament 4, the '''timelines converged''', bringing [[vermin]] from four different universes together and granting them hyper power. <youtube>52o2kYEfwVM</youtube> ==Information== The four different timelines of TH4 were created by an experiment done by a very technically proficient scientist vermin in some far off universe attempting to figure out how to hop between dimensions. The hole in reality it created in the current dimension, aka Timeline A, is marked as "Don't worry about it" on the world map. 16 vermin were recruited as an exploration party to enter the tear. During TH4, four different tournament timelines happened, because 4 sets of the same 16 vermin all entered the tear in different universes at the same time. The separate universes still exist as parallels to the current vermin world, which exist as very similar but still slightly divergent worlds to our own. At the climax of the tournament, the semifinalists were granted hyper power, gaining x10 stats and 90% winrate abilities. The hyper vermin were the singularity point of a vermin's power^4. ==Trivia== * Tequilia, the champion, didn't actually realize the timelines were converging. *Fortress of Min guy isn't actually a vampire. He just got bitten by a bat while cleaning his castle and went "well that's that", prompting him to start wearing a cape and inserting 'bleh' into all his sentences. c168cadc5574c83c3aa01a7f9b32cf9fa83715ff Converging timelines 0 99 213 2023-07-03T19:51:56Z Subaluwa 2 Subaluwa moved page [[Converging timelines]] to [[Hyper Convergence]] wikitext text/x-wiki #REDIRECT [[Hyper Convergence]] f45c4b209a3a7210e55ae124f351b00bda2c1e9e File:GUNDAMNED.png 6 100 214 2023-07-03T20:00:51Z Subaluwa 2 wikitext text/x-wiki Gundamned of EEEEEE a419c3fc917e49079c342a82efe1c61fc0c07e4d EEEEEEEEE 0 50 215 146 2023-07-03T20:03:47Z Subaluwa 2 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== [[File:Eeeee comic.png|thumb|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon.]] [[File:Dark seoul.png|thumb|The flag of EEEEEEEEE.]] Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ==Vermilion pears== [[File:Paer.png|thumb|left]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. Pears are the only plant that actually grow in the toxic soil, so they are the primary crop. ==Gundamned== [[File:GUNDAMNED.png|thumb]] They have gundams. ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The nation sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 379e878019a7e0e5e7e5f5ae281d444440725706 216 215 2023-07-03T20:44:29Z Subaluwa 2 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ==Vermilion pears== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. Pears are the only plant that actually grow in the toxic soil, so they are the primary crop. ==Gundamned== [[File:GUNDAMNED.png|thumb]] They have gundams. ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The nation sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 8673d1fd01af68a9325bc7a59f114d69d34e8ad6 217 216 2023-07-03T20:45:37Z Subaluwa 2 /* Vermilion pears */ wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ==Vermilion pears== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ==Gundamned== [[File:GUNDAMNED.png|thumb]] They have gundams. ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The nation sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] c96825d7705950317d295d1d281dcba2920676e5 219 217 2023-07-03T20:52:20Z Subaluwa 2 /* Gundamned */ wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ==Vermilion pears== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ==Gundamned== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The nation sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 5a9f0c53fbe169007ec8a3110cc160ac59c34d69 221 219 2023-07-03T20:54:52Z Subaluwa 2 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook </gallery> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The nation sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] d3902dd1c91b0fc54f4d870f37bc088147cc34f4 222 221 2023-07-03T20:56:35Z Subaluwa 2 /* Flora and fauna */ wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The nation sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 518cc924342eab7a709b34d78da2317c2012225a 223 222 2023-07-03T20:57:22Z Subaluwa 2 /* Ballingypt */ wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The national sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] d14e412d65273ee6be49defdd437d2424127007e File:Charred.png 6 101 218 2023-07-03T20:50:08Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Eee mook.png 6 102 220 2023-07-03T20:54:46Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Vermin 0 103 225 2023-07-03T20:59:42Z Subaluwa 2 Redirected page to [[Vermin and Hosts]] wikitext text/x-wiki #REDIRECT [[Vermin and Hosts]] 372544c5988260a6ee5d3327501d2e334e092b2e File:Great Nihilis.png 6 104 226 2023-07-05T01:15:36Z SChost 5 wikitext text/x-wiki Edgelord Base Of Operations a60cff860f9ea0b24ba015a2df89a465bc106607 File:Great Nil.png 6 105 227 2023-07-05T01:31:31Z SChost 5 wikitext text/x-wiki Edgelord Base OP 2e1f09aadbb958c1a4e7c79ea9c69350d5490bb0 Great Nihilis 0 106 228 2023-07-05T01:31:53Z SChost 5 Created page with "[[File:Great Nil.png|thumb]]" wikitext text/x-wiki [[File:Great Nil.png|thumb]] f6081863c2fa41b0a13374913b0421bc02344633 Original timeline 0 107 229 2023-07-05T01:59:46Z Subaluwa 2 Created page with "The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe, where [[Yas Blamgeles]] is the main city rather than New Blorf City. ==Former residents== * [[Starters#Laserface|Laserface]]" wikitext text/x-wiki The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe, where [[Yas Blamgeles]] is the main city rather than New Blorf City. ==Former residents== * [[Starters#Laserface|Laserface]] e0f058259f7d29a1fde997cfe3c92fe6643817ab 230 229 2023-07-05T02:02:42Z Subaluwa 2 wikitext text/x-wiki The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe, where [[Yas Blamgeles]] is the main city rather than New Blorf City. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] 9669db9726a54826eed074f5e4ab53b1a6db63dd 232 230 2023-07-05T02:10:03Z Subaluwa 2 wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] a44c5d7d82a8fc9d1f10afaca8f8d34500dc07d5 235 232 2023-07-05T02:14:55Z Subaluwa 2 wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as Blorf and [[Blue Sky]]. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] ec422969b31b435a7896ffd02b3de0cd8f9ce2f5 236 235 2023-07-05T02:15:22Z Subaluwa 2 wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as [[Starters#Blorf|Blorf]] and [[Blue Sky]]. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] 196683fd37e53f7043a02892a4fa2f30ab6ed8cf 238 236 2023-07-05T02:17:18Z Subaluwa 2 wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the new universe through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as [[Starters#Blorf|Blorf]] and [[Blue Sky]]. The new universe has the formal designation [[Infinite Wumpus|Wumpus]] Branch 2157A<sup>[https://www.youtube.com/watch?v=rK74DohYXhY source]</sup>. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] 496649705ca1fd730d9b6141d055e5b222bebd73 File:Timeline split.png 6 108 231 2023-07-05T02:07:22Z Subaluwa 2 wikitext text/x-wiki Timeline splits when VEK Host rigs reality, forming Ralphie universe and new universe. faaf34bbc31da2b86add5815b777e34c28aa3d4c Old universe 0 109 233 2023-07-05T02:12:06Z Subaluwa 2 Redirected page to [[Original timeline]] wikitext text/x-wiki #REDIRECT [[Original timeline]] c9d681ce42546ee5a5a24d9c7cf5048253462289 Infinite Wumpus 0 17 234 33 2023-07-05T02:12:24Z Subaluwa 2 wikitext text/x-wiki [[File:Infinite wumpus.png|thumb]] '''Infinite Wumpus''', a.k.a. [[File:Infinite wumpus text.png|100px]], is a Wumpus which is infinite. ==Information== Each of its tentacles is a different parallel universe. When [[VEK Host]] rigged reality, Infinite Wumpus split that tentacle into two - one where the [[old universe]] was destroyed, and one where VEK Host lost, leading to the KFC universe. Some vermin fled through the Sealed Door to the new universe and [[Yas Blamgeles]]. ==Trivia== * Infinite Wumpus is kept entertained by a tiny space station that broadcasts tourney fights, run by primordial elder gods. ** [[Coin Host]] and Elder Crab Bucket live on this station. f3aa6129bcdcd53d864196297c3d177cbb97620b Ballingypt 0 59 239 150 2023-07-05T02:21:31Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]]. ==Information== They take sports very seriously. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 52fda4e3627e162438208cb354f9b6f8aa2171d8 254 239 2023-07-05T02:34:44Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]]. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Inhabitants=== <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 885559f008aa798202109cff7251a158bbe6791f 255 254 2023-07-05T03:26:31Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]]. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 112d54eda2a9e2b9e930eca1e12a99dd44ea9e36 258 255 2023-07-05T03:31:54Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]]. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 2165df4e7b479e0de35bd9add457236475d8f069 259 258 2023-07-05T03:32:19Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]]. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 0415b387c42fb340faf1cac8aa3750497a841b58 261 259 2023-07-05T03:38:59Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 5d63c1949643227a6f4177193da75702776a52c8 263 261 2023-07-05T03:40:25Z Subaluwa 2 /* Gatomaton */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. [[File:Goldsworth.png|thumb]] ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 1559c626d822869b6ce806e53e7e2836c479aba9 264 263 2023-07-05T03:40:55Z Subaluwa 2 /* Gatomaton */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 0f6d303c58788b00fd5e31be973045b44986c90d 265 264 2023-07-05T03:44:26Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Flora and fauna=== The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] cd89c54ed78e4de370891196b7e0843c4d7dc48f 267 265 2023-07-05T03:45:56Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Flora and fauna=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] a37daf02d5a0156381fc6472c49c681fd1acd336 268 267 2023-07-05T03:46:48Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Inhabitants=== Many different [[vermin]] live in Ballingypt, but they are all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ====Ballblins==== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ====Gatomaton==== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 9bfb382888f4a14e03b341b646bbe24b483fe93d 269 268 2023-07-05T03:56:24Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Landmarks=== ====De Nile==== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ====Royal Court==== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ====Ball Pit==== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ====Ancient Ruins==== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Inhabitants=== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ====Ballblins==== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ====Gatomaton==== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 15eba339d0072ec3d3a1ba27e3c1359a360c734c 270 269 2023-07-05T04:12:42Z Subaluwa 2 /* Agriculture */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Landmarks=== ====De Nile==== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ====Royal Court==== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ====Ball Pit==== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ====Ancient Ruins==== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ===Inhabitants=== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ====Ballblins==== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ====Gatomaton==== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 854b9493682988aa187c3b91e3321f18a121357c 271 270 2023-07-05T04:16:26Z Subaluwa 2 /* Inhabitants */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Landmarks=== ====De Nile==== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ====Royal Court==== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ====Ball Pit==== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ====Ancient Ruins==== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ===Inhabitants=== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ====Ballblins==== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ====Slamnyazons==== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastter, usually serves as the king's scouts and spies due to their nimbleness and dexterity. ====Gatomaton==== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 45abeecfa79d7b52c48fe7db2b372d00dbf64f48 272 271 2023-07-05T04:18:10Z Subaluwa 2 /* Slamnyazons */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. ==Information== They take sports very seriously. ===Landmarks=== ====De Nile==== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ====Royal Court==== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ====Ball Pit==== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ====Ancient Ruins==== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ===Inhabitants=== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ====Ballblins==== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ====Slamnyazons==== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ====Gatomaton==== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] f51c372826f6ed48227aa6e92fa497899874e176 273 272 2023-07-05T04:19:26Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Agriculture== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons) ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 79a0a717f8e9b3594110a76197f79afdeb8ca1d4 274 273 2023-07-05T04:22:08Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Agriculture== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite eeee folk over to parties because their national sport is goop wrestling (among other reasons). <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The Dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 9a5ebfbd45378cd7e2ea7228ee5ad8699be6da7a 275 274 2023-07-05T04:51:21Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Agriculture== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 6a5789ea92724edc9fc58a2e0b189924816d4cd2 Divided Kingdoms 0 110 240 2023-07-05T02:21:42Z Subaluwa 2 Redirected page to [[The Divided Kingdoms]] wikitext text/x-wiki #REDIRECT [[The Divided Kingdoms]] 4b93758b2fc5bfa448390243991db42fa81301da File:Ballblin.png 6 111 241 2023-07-05T02:25:32Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 242 241 2023-07-05T02:30:41Z Subaluwa 2 Subaluwa moved page [[File:Ballblin1.png]] to [[File:Ballblin.png]] without leaving a redirect wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants1.png 6 112 243 2023-07-05T02:31:05Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants2.png 6 113 244 2023-07-05T02:31:14Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants3.png 6 114 245 2023-07-05T02:31:26Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants4.png 6 115 246 2023-07-05T02:31:37Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants5.png 6 116 247 2023-07-05T02:31:48Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants6.png 6 117 248 2023-07-05T02:32:00Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants7.png 6 118 249 2023-07-05T02:32:10Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Inhabitants8.png 6 119 250 2023-07-05T02:32:19Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Ranoldo.png 6 120 251 2023-07-05T02:33:29Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:The dam.png 6 121 252 2023-07-05T02:33:43Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Mungstar.png 6 122 253 2023-07-05T02:33:57Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Gato dunked on.png 6 123 256 2023-07-05T03:27:24Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Ballingypt potions.png 6 124 257 2023-07-05T03:28:28Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Gatomaton.png 6 125 260 2023-07-05T03:32:50Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Goldsworth.png 6 126 262 2023-07-05T03:40:16Z Subaluwa 2 wikitext text/x-wiki goldsworth the ballblin recommends el gato hit the SLAM button to release the gatomatons 4775e1b76a7faf7469770b6ee601dea089880c2a File:Ballingyptian farming.png 6 127 266 2023-07-05T03:45:23Z Subaluwa 2 wikitext text/x-wiki agriculture of ballingypt 71bba6ecc5de006222929eabba352404e71348dc Main Page 0 1 276 211 2023-07-05T20:18:25Z STRONGETS HOST OGRO 6 /* The Burning Depths */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] * [[My Kitchen]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] 349e3f3e7f13402814139cf69c1518d1685543f1 277 276 2023-07-05T21:31:14Z SChost 5 /* The Burning Depths */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] b1d79b9c22f21670dd2296b2903e57c0c1d4c401 278 277 2023-07-05T21:35:27Z SChost 5 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] c3368cb9ede2eaa3fe05d2cef1dae0ab610eb39b Virulent Balls 0 128 279 2023-07-06T07:38:48Z Subaluwa 2 Created page with "virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer" wikitext text/x-wiki virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer 2e2cf17b72a4019e6f6a8f477118024920f1c298 281 279 2023-07-06T07:58:53Z Subaluwa 2 wikitext text/x-wiki [[File.Virulent.gif|thumb]]virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer a6b1061a0d530e57504fe202709ea04915c314e6 282 281 2023-07-06T07:59:08Z Subaluwa 2 wikitext text/x-wiki [[File:Virulent.gif|thumb]]virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer 7330ab53f9a9d8f33ff87023bf3196f9a49cdd4f File:Virulent.gif 6 129 280 2023-07-06T07:58:34Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Hahalatia 0 47 283 147 2023-07-06T10:14:29Z Subaluwa 2 wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] 4aa7ba1946162d3976717fc29e8680e7392c4fb0 286 283 2023-07-06T10:21:07Z Subaluwa 2 wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] 38a42ad0032ca3b054e052595f8d6533c5c5a797 287 286 2023-07-06T10:21:42Z Subaluwa 2 /* Clown chess */ wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] 6ca5ca07838e370b5f8003e1c5ea5d9e7647be47 288 287 2023-07-06T10:22:24Z Subaluwa 2 /* Clown chess */ wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] f8e88c35e382ab2d933f2603599987b641366395 File:Chess hahalatia.png 6 130 284 2023-07-06T10:20:15Z Subaluwa 2 wikitext text/x-wiki Alternate chess map a5b3c2b7b7cd4b9daf87ff08df22cfa0591c77d5 File:Greatest show on verth.png 6 131 285 2023-07-06T10:21:03Z Subaluwa 2 wikitext text/x-wiki clown chess pieces a395b09a5065df0063778f3d8fef4c6ecea85693 Hahalatia 0 47 289 288 2023-07-06T10:23:39Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. Under Hahalatia... there are things there which may or may not be funny. It's said that the jokes go over their head all the time... It's called, "The Bottom of the Barrel". ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] 43ba19b2f36321d37ab2368b83a64ad6f4a70caf 320 289 2023-07-07T05:34:09Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. Under Hahalatia... there are things there which may or may not be funny. It's said that the jokes go over their head all the time... It's called, "The Bottom of the Barrel". ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== [[File:Hahalatia political comic.png|thumb]] ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] d65408e7bee1902d21a7df8f6985f1bda3f2ffd8 Category:Kingdoms 14 132 290 2023-07-06T10:28:04Z Subaluwa 2 Created page with "These are doms headed by a king. (or queen... it's 20XX.)" wikitext text/x-wiki These are doms headed by a king. (or queen... it's 20XX.) 64444358d6f5127323336212dfe85e4b32edc9e7 Tunguska 0 57 291 149 2023-07-06T10:28:46Z Subaluwa 2 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. ==Features== ===Star Wood Peak=== It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grow. The energy within the tree’s bark, and, more importantly, bring the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 2fb72e774c3a3a8b4e6de90a38bac6df22184b30 295 291 2023-07-06T10:40:57Z Subaluwa 2 wikitext text/x-wiki [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 35b82a813ec80e973d1ef0fd337fc49740106716 File:Tunguska landscape.png 6 133 292 2023-07-06T10:34:01Z Subaluwa 2 wikitext text/x-wiki Star Wood Peak in bacgkround d7d390d1de7051833b5f08bc29ac783d08874f57 File:Tunguska bleeding skull.png 6 134 293 2023-07-06T10:37:27Z Subaluwa 2 wikitext text/x-wiki tunguska background with big ol skull bleeding rainbow juice 4df3d3a671d759b3bc6737be5f4bb6c3b8418954 File:Tunguska wood.png 6 135 294 2023-07-06T10:38:12Z Subaluwa 2 wikitext text/x-wiki mass wood sacrifice f473955182f27c2707daac60173564193602722e File:The Incisor.png 6 136 296 2023-07-06T10:49:42Z Subaluwa 2 wikitext text/x-wiki The Incisor slash Disasticastor sheet d0784fc1ff00043c170d22c5d31274c18d02ae53 The Incisor 0 137 297 2023-07-06T10:50:49Z Subaluwa 2 Created page with "[[File:The Incisor.png|thumb]] '''The Incisor''', also known as the '''Disasticastor''', is the king of [[Tunguska]], one of the [[Divided Kingdoms]]. ==Information== The Incisor was once a benevolent and hardworking warrior-king. He had been elevated to his position due to his tendency to protect defenseless vermin and also his natural ability to harvest the holy Star Wood from the charred forests of Tonguska more efficiently than any other vermin. The beaver king wo..." wikitext text/x-wiki [[File:The Incisor.png|thumb]] '''The Incisor''', also known as the '''Disasticastor''', is the king of [[Tunguska]], one of the [[Divided Kingdoms]]. ==Information== The Incisor was once a benevolent and hardworking warrior-king. He had been elevated to his position due to his tendency to protect defenseless vermin and also his natural ability to harvest the holy Star Wood from the charred forests of Tonguska more efficiently than any other vermin. The beaver king would even volunteer to singlehandedly build homes and furniture for every new vermin that washed up on the shores of his kingdom which only heightened the respect and admiration he received from his subjects. But with each new castaway islander came stories rife with peril. Violent fighting tournaments were increasing in popularity on the mainland. Rumors circulated that villainous vermin were conspiring together to take over entire cities. There were even urban legends of a seemingly innocent children's card game whose outcome resulted in the souls of vermin becoming trapped in a bizarre shadow dimension for all of eternity. The king's growing concern for the safety of his people eventually turned to obsession. It mattered not how many evil vermin he felled, how sturdily built were his houses, nor how comfortable were his handcrafted ottomans... Danger seemed to be ever creeping towards the peaceful island of Tonguska and the vermin he had vowed to protect. One night while the beaver king tossed and turned in bed, unable to sleep with thoughts of future dangers haunting his dreams, a voice spoke into his mind. It introduced itself as a neighbor from across the stars, and friend to all who harvested timber. It whispered grim tidings and dark secrets to the beaver king. Shaken by what he had heard the king begged the voice for a solution to this inevitable danger. The voice consoled the beaver king introducing itself as the Wood God who long ago blessed Tonguska with a falling star of holy flame. The Wood God told the ruler that if he and the people of Tonguska offered up their precious Star Wood as a sacrifice in the Wood God's name it would bless the beaver-king with the power to protect his subjects. From that day forth the beaver-king was relentless in the harvest of Star Wood. And the Wood God true to its word bestowed a dark blessing on the beaver-king. The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the islanders Tonguska. They also made the king an unstoppable force in battle, and even more effective at harvesting timber for sacrifice. The vermin of Tonguska soon noticed a change in their beloved king... The beaver king had become single-minded in his mission to sacrifice Star Wood to the Wood God. His appearance became less benign and what was once a welcoming demeanor towards visitors became suspicious if not outright hostile to outsider vermin who seemed like they might cause unnecessary danger to his subjects. Superstitious and cowardly vermin the world over soon learned to fear the beaver-king they nicknamed The Incisor and would think twice before hatching any schemes on Tunguska. Although his subjects do miss the king's former kindly nature and some may privately question the true nature of their patron deity they wouldn't trade it for their newfound security and prosperity. As the Tunguskan saying goes: ''WOOD FOR THE WOOD GOD'' a6599331479e4abe9b557a1a03d0da244b1f6566 298 297 2023-07-06T10:52:54Z Subaluwa 2 wikitext text/x-wiki [[File:The Incisor.png|thumb]] '''The Incisor''', also known as the '''Disasticastor''', is the king of [[Tunguska]], one of the [[Divided Kingdoms]]. ==Information== The Incisor was once a benevolent and hardworking warrior-king. He had been elevated to his position due to his tendency to protect defenseless vermin and also his natural ability to harvest the holy Star Wood from the charred forests of Tonguska more efficiently than any other vermin. The beaver king would even volunteer to singlehandedly build homes and furniture for every new vermin that washed up on the shores of his kingdom which only heightened the respect and admiration he received from his subjects. But with each new castaway islander came stories rife with peril. Violent fighting tournaments were increasing in popularity on the [[Vermerica|mainland]]. Rumors circulated that villainous vermin were conspiring together to take over entire cities. There were even urban legends of a seemingly innocent [[Duel Host|children's card game]] whose outcome resulted in the souls of vermin becoming trapped in a bizarre shadow dimension for all of eternity. The king's growing concern for the safety of his people eventually turned to obsession. It mattered not how many evil vermin he felled, how sturdily built were his houses, nor how comfortable were his handcrafted ottomans... Danger seemed to be ever creeping towards the peaceful island of Tonguska and the vermin he had vowed to protect. One night while the beaver king tossed and turned in bed, unable to sleep with thoughts of future dangers haunting his dreams, a voice spoke into his mind. It introduced itself as a neighbor from across the stars, and friend to all who harvested timber. It whispered grim tidings and dark secrets to the beaver king. Shaken by what he had heard the king begged the voice for a solution to this inevitable danger. The voice consoled the beaver king introducing itself as the Wood God who long ago blessed Tonguska with a falling star of holy flame. The Wood God told the ruler that if he and the people of Tonguska offered up their precious Star Wood as a sacrifice in the Wood God's name it would bless the beaver-king with the power to protect his subjects. From that day forth the beaver-king was relentless in the harvest of Star Wood. And the Wood God, true to its word, bestowed a dark blessing on the beaver-king. The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the islanders of Tonguska. They also made the king an unstoppable force in battle, and even more effective at harvesting timber for sacrifice. The vermin of Tonguska soon noticed a change in their beloved king... The beaver king had become single-minded in his mission to sacrifice Star Wood to the Wood God. His appearance became less benign and what was once a welcoming demeanor towards visitors became suspicious if not outright hostile to outsider vermin who seemed like they might cause unnecessary danger to his subjects. Superstitious and cowardly vermin the world over soon learned to fear the beaver-king they nicknamed The Incisor and would think twice before hatching any schemes on Tunguska. Although his subjects do miss the king's former kindly nature, and some may privately question the true nature of their patron deity, they wouldn't trade it for their newfound security and prosperity. As the Tunguskan saying goes: ''WOOD FOR THE WOOD GOD'' cc0ec26d4057787404d1da23d43ffaacfd8ff72b Vermerica 0 85 299 187 2023-07-06T10:54:36Z Subaluwa 2 wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] '''Vermerica''' is a continent on [[Verth]] where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and a bunch of wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmin. They weren't allowed in The City while it was being constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There are some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. 53783ae0a863dfb5a7b6dc9c42c3767bae851e33 300 299 2023-07-06T10:54:53Z Subaluwa 2 Reverted edits by [[Special:Contributions/Subaluwa|Subaluwa]] ([[User talk:Subaluwa|talk]]) to last revision by [[User:Bigsmells|Bigsmells]] wikitext text/x-wiki [[File:Vermerica.png|frame|center|The Map of Vermerica]] '''Vermerica''' is a continent on [[Vearth]] where most of the cool stuff happens. It's largely comprised of two mega-cities, [[Yas Blamgeles]] and [[Ultra Hell]], and a bunch of wastelands suffering two weird plagues. ==History== The landmass likely split off from [[The Divided Kingdoms]] long ago, before the existence of [[The Vermuda Circle]]. Over time, both vermin and hosts flourished in various communities and cultures. There was no particular overarching structure or government for the continent, so everyone just did what they liked. In this time, tournaments were called rituals and were mostly held to settle disputes. One day, this all changed when the threat of twin plagues threatened all of Vermerica. Nobody knows where these plagues came from, but it was clear that one plague destroyed land while the other plague destroyed minds. They originated from the South-East, and so many vermin and hosts decided to overcome their petty tribal rivalries and collectively travel up North to escape it. The elders at the time created a mighty wall to keep the plagues out, made from a strange, white material passed down the generations. From their safe haven was born The City, which was eventually renamed to Yas Blamgeles. The vermin that did not travel up North mostly died out, but the surviving few mutated to become hellmin. They weren't allowed in The City while it was being constructed, so they just made their own city in the South called Ultra Hell. This all happened a really long time ago, so most of it is considered legend and the identities of the important vermin have been lost. ==Modern Day== Known activity in Vermerica nowadays is almost entirely limited within the two cities. They rarely interact, but spy on each other with comically-long telescopes to make sure either city isn't up to something dastardly. Exploration of the wastelands beyond the cities is rarely done, which is a shame since there must be so much cool stuff that is begging to be discovered... The twin plagues are still as strong as ever and still threaten to destroy Vermerica slowly. Nobody really knows what to do about that, so it is largely ignored. These things tend to resolve themselves on their own, right? ==Relationship With The Divided Kingdoms== There are some parallels that Vermerica shares with its neighbor continent. The tradition of calling tournaments "rituals" is still alive in The Divided Kingdoms, suggesting that it may have originated from there. The white material used to make the walls of Yas Blamgeles is the same material that separates the kingdoms within The Divided Kingdoms, and vermin in both continents generally don't question what that material even is. Beyond these similarities, the continents developed individually and did not communicate due to The Vermuda Circle. Recently, vermin from Yas Blamgeles were able to pierce through The Vermuda circle and make contact with The Divided Kingdoms. [[The Seer]], the patriarch and sole host of the kingdoms, created a series of rituals to find a vermin worthy enough to decide if the kingdoms should destroy, befriend or ignore these outsiders. This situation is still unfolding, but travel between Vermerica and The Divided Kingdoms is currently permitted. 52267da25bab3f8998614c2a15aa49ed6bd79fde Yas Blamgeles 0 4 301 183 2023-07-06T10:56:43Z Subaluwa 2 /* History */ wikitext text/x-wiki [[File:Yas blamgeles.png|600 px|center]] '''Yas Blamgeles''' is the city where anyone who's anyone lives. Almost all tournaments take place here. ==History== The continent of [[Vermerica]] used to be a very tranquil place, full of diverse cultures and geography, until one day two mysterious infections spread across the earth. These were particularly deadly (one corrodes the land and one corrodes minds), and so most vermin decided to leave their lives behind to travel up North. They created a wall of cleansing energy to protect themselves with their combined strength, though how they did this is lost to history. Now safe from the infections, the vermin divided the remaining land using colours to separate the cultures from each other. This way of life persisted for a few generations, but eventually grew to be unstable. It was one day decided by the elders of each culture that the survival of the vermin species depended on cooperation. A large, sprawling city was planned and the cultural borders were turned into districts. The city was literally called The City, because the population believed that they were the only civilised vermin left in existence and so could get away with that. The elders ruled The City as a silent oligarchy but were faced with backlash about a decade later when the population grew bored with metropolitan life. Almost on cue, a strange hole opened up from the ground and many confused vermin came crawling out. These new vermin were from a similar yet destroyed universe and were granted new lives in The City. They share their history and experiences with everyone as thanks, and The City became obsessed with the characters of the destroyed universe. [[Starters|Blorf, Dinoswordus, and Laserface]] became household names and merchandised overnight. This all lead to The City becoming culturally unified through celebrity worship. [[King GruBLAM!]] became the first true modem celebrity after taking down the [[Nutbringer]], who crawled out of the hole to claim Vermerica for itself. Although considered to be the people's king and very wealthy, the oligarchy of elders still ruled from the shadows. Champions were generally treated as celebrities after this, and tournaments became serious televised events. Most vermin spent their lives working by day and watching tournaments by night, until the discovery of [[Halloween Island]] kickstarted a general sense of adventure in the population. Everyone in The City now knew that there were other landmasses out there, that could potentially house other vermin and societies. It was then decided that The City should be renamed to a more unique name, and Yas Blamgeles was chosen in honour of King GruBLAM! and [[YAAAS]]. Vermin really got into sailing at this time, but soon discovered that there was a terrible whirlpool to the North-West called [[The Vermuda Circle]]. Despite all the vermin who drowned trying to pierce it, the population was stubborn and just had to know what was on the other side. Finally, after so many causalities and wasted [[blastcoin]], ships from Yas Blamgeles finally pierced through the eye of the storm and emerged at the other side, discovering [[The Divided Kingdoms]]. This is where the story of Yas Blamgeles currently ends... ==Random Stuff== * [[The Office™]] is a building in Yas Blamgeles. 358f869601b067949984b2100e930e54438342eb File:Blastcoin.png 6 138 302 2023-07-06T11:04:13Z Subaluwa 2 wikitext text/x-wiki a blastcoin, from blastcoin holder (the vermin) 3bbf7b62cbd4e6ed6202ced1698b91abb26f5fd7 Blastcoin 0 139 303 2023-07-06T11:10:42Z Subaluwa 2 Created page with "[[File:Blastcoin.png|thumb]] '''Blastcoin''' is the primary currency of [[Vermerica]] and the vermin world at large. It is commonly used for betting on tournaments. ==Trivia== * In the [[old universe]], the blastcoin-swordoomporn exchange crashed, which was a minor obstacle for the [[Virulent Balls]]. * The relation of blastcoin to [[Coin Host]] is mysterious." wikitext text/x-wiki [[File:Blastcoin.png|thumb]] '''Blastcoin''' is the primary currency of [[Vermerica]] and the vermin world at large. It is commonly used for betting on tournaments. ==Trivia== * In the [[old universe]], the blastcoin-swordoomporn exchange crashed, which was a minor obstacle for the [[Virulent Balls]]. * The relation of blastcoin to [[Coin Host]] is mysterious. 02c505f10426f38c175c4f80dd5f371bd09707cd Duel Host 0 96 304 205 2023-07-06T11:19:17Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Bob.png|thumb]] '''Duel Host''' is not actually a character. ==Information== [[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel Vermin game store, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. But maybe he is, secretly... Bob is the guy who yells "IT'S TIME TO D-D-D-D-DUEL" before every match. ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 75% winrate in his tournaments. * His relation to the [[Lord of Misrule]] is unknown. ** The two have never actually met, since the Lord of Misrule's summoning took place on [[Halloween Island]] and not the card shop. ** But then... why did his summoning use Duel rules??? [[Category:Hosts]] 91b0bfe2b1c25cc91de12bdcd7176284fb65e7ec Big "Host" Smells 0 140 305 2023-07-06T11:24:35Z Subaluwa 2 Created page with "'''Big "Host" Smells''' is a [[host]]. ==Information== He used to have an actual body, but [[Blue Sky]] put him in a host-sucking machine that sucked out Big "Host" Smells's host juices. The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defe..." wikitext text/x-wiki '''Big "Host" Smells''' is a [[host]]. ==Information== He used to have an actual body, but [[Blue Sky]] put him in a host-sucking machine that sucked out Big "Host" Smells's host juices. The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defeat, so BHS is still a weird cum blob. ==Trivia== * He is Australian, despite Australia not actually existing in the vermin universe. 13452768d4ae745884e0af1ef4c5e7d04a52886d 308 305 2023-07-06T11:30:12Z Subaluwa 2 wikitext text/x-wiki [[File:Big host smells women.png|thumb]] '''Big "Host" Smells''' is a [[host]]. ==Information== [[File:Bhs missing poster.png|thumb]] He used to have an actual body, but [[Blue Sky]] put him in a host-sucking machine that sucked out Big "Host" Smells's host juices. The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defeat, so BHS is still a weird cum blob. ==Trivia== * He is Australian, despite Australia not actually existing in the vermin universe. 598d060dd674e0850b56fbf52f5a19a7b9460e93 309 308 2023-07-06T11:31:14Z Subaluwa 2 wikitext text/x-wiki [[File:Big host smells women.png|thumb]] '''Big "Host" Smells''' is a [[host]]. ==Information== [[File:Bhs missing poster.png|thumb]] He used to have an actual body, but [[Blue Sky]] sucked him dry in a dingy basement (read: put him in a host-sucking machine that sucked out Big "Host" Smells's host juices). The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defeat, so BHS is still a weird cum blob. ==Trivia== * He is Australian, despite Australia not actually existing in the vermin universe. c578d70445f2aa4673c51c53d72e1b71b683b4d9 File:Bhs missing poster.png 6 141 306 2023-07-06T11:28:12Z Subaluwa 2 wikitext text/x-wiki Missing poster for Big Host Smells 21b3121a3512a96b4a902f9b69d4173eb6ff4287 File:Big host smells women.png 6 142 307 2023-07-06T11:30:08Z Subaluwa 2 wikitext text/x-wiki women b3ae4f722a30578fac0191593f82a69346a877d0 File:Koumasteri.png 6 143 310 2023-07-06T23:28:37Z Subaluwa 2 wikitext text/x-wiki Koumasteri: Nothing personnel kid..... 841a491a90f7b1add3c4bc4bc21313ef0ef3fdff Lord of Misrule 0 67 311 207 2023-07-06T23:28:42Z Subaluwa 2 wikitext text/x-wiki [[File:Lord of Misrule.png|thumb|The lord of Misrule in his old universe form.]] {{Quote|With our combined powers, our might shall be so grand! We shalt stand even above the hosts!|Leviathan of Misrule}} '''Lord of Misrule''' is a vermin who is originally from the old universe, where he [https://vermin.fandom.com/wiki/19th_Tournament caused a little mischief]. When [[VEK Host]] destroyed the old universe, the Lord of Misrule was not fully destroyed, and his spirit persisted in the void between dimensions. ==Duel Tournament GX2: Waking the Shadows== [[File:Koumasteri.png|thumb]] By projecting his consciousness through the void, he was able to reach out to [[Halloween Island]], and put thoughts of a ritual in the head of vermin there. Queen Gloomhilde was the leader of the Cult of Misrule, which gathered on a spooky house on a fateful Halloween when the pumpkin moon was at its most powerful. When the ritual started, the mansion was magically sealed, preventing anyone from entering or leaving, and the 32 vermin inside had to perform a Duel tournament. Upon defeating an enemy, the victor would use the Seal of Misrule to seal the opponent's soul in a card, which they added to their deck, as a Duel version of Lord of Misrule's original ability. Any soul cards the opponent already had were destroyed. In the finals, Koumasteri and [[Ash'ellie]] were the only remaining vermin, with 4 soul cards each. Ash'ellie seemed to have doubts, but as she defeated Koumasteri, he reassured her to follow her heart before turning into a card as well. With nobody else left in the mansion, and 5 soul cards, she [https://www.youtube.com/watch?v=McORNKgWERA&list=PLR9Mg8dD8JGfZ_2ytWMfODg5xBNCLne_4&index=35 invoked the final Seal of Misrule] and summoned the Lord of Misrule back into this world. [[File:Leviathan of misrule.png|100px|thumb|Leviathan of Misrule]] Returning as the '''Leviathan of Misrule''', he still did not have a corporeal form, with limited ability to affect the world. Lingering in the void also turned the lower half of his body into a dragon tail. The last step of the ritual would involve Ash'ellie becoming the Host of Misrule and giving her body to him. However, Ash'ellie decided to take Koumasteri's word to hard and defied him at the last step, refusing to comply and fighting him instead by using her soul cards against her. While Ash'ellie managed to hold out long enough to go through all the cards, she didn't have any way of actually damaging him, and would surely lose. [[File:Host of Misrule.jpg|thumb|Lord of Misrule takes over Koumasteri's body]] However, when being summoned, Koumasteri broke free of his cardboard prison and delivered a fatal blow to the Leviathan of Misrule, turning him into a card as well. This released such powerful energies that the mansion started crumbling. This still didn't stop the ritual, and Koumasteri became the host for Lord of Misrule's soul instead. ==Blue Sky== He helped [[Blue Sky]] use his host-sucking machine to suck off [[Big "Host" Smells]]' host powers, then blow Blue Sky with those powers. ==Circus of Misrule== The Lord of Misrule remained in hiding for a while, Ash'ellie thought him dead and barely anyone else knew about his existence. In secret, he was working on his plan to have Hostlike powers and host his own chaotic tournaments. He wanted to disregard basically all established rules of VFC regarding balance, evolutions, teams. He was extremely powerful in his new form, and had the ability to create vermin out of nothing, which he used to create an army of minions, as well as create facsimiles of existing vermin, from the new and the old universe. These would become part of the Circus of Misrule, a place where the fighting would never have to stop or be dictated by Hosts. Ash'ellie became aware of his resurrection at some point and asked [[King GruBLAM]] for help, fearing for what he might do and wanting to free the souls of her friends. The king sent the four [[Knights of GruBLAM]] to investigate and deal with the problem. However, they took so long to find him that [https://neopolis.itch.io/circus-of-misrule the Circus of Misrule] was fully completed by the time they got there, and the Lord of Misrule forced them to join the game, recruiting vermin to their side, only to be forced to do it all over again, regardless of if they won or lost. ==True Ending of dubious canonicity== (I'm not sure if this ending is canon yet, or if it's like a split timeline kind of deal, because within the Circus of Misrule game, it's obviously canon that he's still around, but it would feel kinda weird in the main vermin world for him to still be around, so idk, I will probably decide on this at some point.) After many futile attempts to fight the Lord of Misrule instead of his minions, one of the Knights managed to use the power of the 4 other trapped souls in Koumasteri's body to strike back at the Lord of Misrule, stripping him of his invulnerability. A fierce fight ensued, which the knight barely won, resulting in the destruction of Koumasteri's body, reverting the Lord of Misrule to Leviathan form. This caused such a release of energy that it almost instantly wiped out the knight's team, spelling a certain loss. But in the nick of time, King GruBLAM and Ash'ellie arrived on the king's airship, The Pride of GruBLAM. Ash'ellie used a powerful bomb to resurrect the knight's team, and continued to deliver air support by chucking bombs at the battle. With their help, the knight defeated the Lord of Misrule fully, banishing him from this world and ending the Circus of Misrule. Koumasteri and the 4 other souls were still gone, but at least they were no longer enslaved. ==Information== *The Lord of Misrule almost entirely speaks in faux Olde English. This is because he thinks it's funny. *Duel GX2 was a reference to the shitty Yu-Gi-Oh! filler arc Waking the Dragons, which is why his lower body is like that and why he has a recoloured Seal of Orichalcos. [[Category:Vermin]] 5d1dce07af06995ad08bdbed5897b2726390aeee Great Nihilis 0 106 312 228 2023-07-07T05:08:14Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. Its residence consist of the lowlifes and crooks either selling slaves or the black market. There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. 5e938bd23f34cca6a7606bb0dc7bad5c24666a3d 336 312 2023-07-11T06:10:33Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. Its residence consist of the lowlifes and crooks either selling slaves or the black market. There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. theme: https://youtu.be/Anm_qjR9sAg 0f4a4e7e393e68c311b7c1cbb31001939325bdfb 337 336 2023-07-11T06:12:00Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. Its residence consist of the lowlifes and crooks either selling slaves or the black market. There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. theme: <https://youtu.be/Anm_qjR9sAg> 1f320b9799cd7334d099f63fbc971816f3568198 338 337 2023-07-11T06:18:10Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] [[Info]] One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. [[People]] Its residence consist of the lowlifes and crooks either selling slaves or the black market. [[History]] There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. [[Theme]] https://youtu.be/Anm_qjR9sAg 4717c8fab258f292b1ad519fd93842118c05ea75 Armorica 0 144 313 2023-07-07T05:10:27Z SChost 5 Created page with "Armorica-The Neutral Ground For Every faction and the main nation for SC Tournaments" wikitext text/x-wiki Armorica-The Neutral Ground For Every faction and the main nation for SC Tournaments 774c22de55feec68a2b27d4a4bc3b02c746e8b34 The Great Republic Of Lawthuina 0 145 314 2023-07-07T05:17:15Z SChost 5 Created page with "Lawthuina-A place where law is the true king" wikitext text/x-wiki Lawthuina-A place where law is the true king 40950b68cb2cd4866c791864f8f7d4b9a1e48213 Starters 0 82 315 237 2023-07-07T05:20:10Z Bigsmells 7 /* New universe */ wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the [[old universe]], and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe, along with all of the other starters. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. He lives in a slightly overpriced apartment in the safe part of [[Yas Blamgeles]]. He is part of the local chess and robotics clubs, but doesn't go out much beyond that. Despite being a beloved celebrity, Laserface didn't let the fame get to his head; his brain can only process schematics and gronks. ==New universe== Most of the starters were not born in the new timeline, but when vermin from the old universe flooded into [[Vermerica]], their stories of the old times and of the heroic original three struck the hearts of those in the new universe. This resulted in the starters becoming nationwide celebrities overnight. ===Blorf=== The new universe's Blorf became [[Blue Sky]]. ===Gnawbone=== Became a host-vermin hybrid. Did nothing with this awesome power except run tournaments. ===Grabape=== Still no third evo, blood variant spotted bursting out of a detective's chest. 8ba7ca1d13a6ec9b4339c57d9659002180b70064 322 315 2023-07-07T09:43:03Z Subaluwa 2 /* Grabape */ wikitext text/x-wiki [[File:Laserface phancussion.png|thumb]] The '''starters''' are Blorf, Dinoswordus, and Laserface, as well as some other guys. Most of them were erased from reality in the [[old universe]], and may or may not have been born in the new universe. ==Old universe== ===Blorf=== The original timeline's Blorf died fighting [[VEK Host]]. ===Dinoswordus=== Dinoswordus's whereabouts are unknown. Assumed to be killed by the end of the old universe, along with all of the other starters. ===Laserface=== Laserface escaped to the new universe, becoming the only starter to survive. He later jobbed a tournament. He lives in a slightly overpriced apartment in the safe part of [[Yas Blamgeles]]. He is part of the local chess and robotics clubs, but doesn't go out much beyond that. Despite being a beloved celebrity, Laserface didn't let the fame get to his head; his brain can only process schematics and gronks. ==New universe== Most of the starters were not born in the new timeline, but when vermin from the old universe flooded into [[Vermerica]], their stories of the old times and of the heroic original three struck the hearts of those in the new universe. This resulted in the starters becoming nationwide celebrities overnight. ===Blorf=== The new universe's Blorf became [[Blue Sky]]. ===Gnawbone=== Became a host-vermin hybrid. Did nothing with this awesome power except run tournaments. ===Grabape=== Still no third evo, blood variant spotted bursting out of a [[Darth Swagbeard|detective]]'s chest. 6cee94f4472442cb29ea9bdaeefcac3abccd70a6 Main Page 0 1 316 278 2023-07-07T05:22:26Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] 0561d54b21cca522a5ff3098d6cc0d773a5754fe 323 316 2023-07-07T10:11:37Z Subaluwa 2 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] 886b0d16e4773ac123b4f29b7c14990406ee7986 File:Mag n ficent.png 6 146 317 2023-07-07T05:25:58Z Subaluwa 2 wikitext text/x-wiki Mag N. Ficent's stat sheet 272dc9fc76bcd8f003d02a1e25a1a92c61b99a86 Mag N. Ficent 0 147 318 2023-07-07T05:32:29Z Subaluwa 2 Created page with "[[File:Mag n ficent.png|thumb]] '''Mag N. Ficent''' is the clown prince of crime, as well as the clown prince (king) of [[Hahalatia]], one of the [[Divided Kingdoms]]. Mag N. Ficent always does whatever he deems the most comedic at the time. That sometimes includes war crimes... but only the most hilarious of war crimes. ==Information== "Wouldn't it be funny if i accidentally nuked my own kingdom?" Thus, the Comedy Crater, which emits Comedy Fumes at all times. Thousa..." wikitext text/x-wiki [[File:Mag n ficent.png|thumb]] '''Mag N. Ficent''' is the clown prince of crime, as well as the clown prince (king) of [[Hahalatia]], one of the [[Divided Kingdoms]]. Mag N. Ficent always does whatever he deems the most comedic at the time. That sometimes includes war crimes... but only the most hilarious of war crimes. ==Information== "Wouldn't it be funny if i accidentally nuked my own kingdom?" Thus, the Comedy Crater, which emits Comedy Fumes at all times. Thousands dead, but millions laughed. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center 4b7e0c70a5d2f1d530e135dc77b85c24678bf23e File:Hahalatia political comic.png 6 148 319 2023-07-07T05:34:03Z Subaluwa 2 wikitext text/x-wiki A political comic made by Hahalatians 4030e63aa0ee99b33457319f7842ba92f0f62cec Anarctica 0 149 321 2023-07-07T06:01:14Z SChost 5 Created page with "Anarctica-A cursed place with swamps, lava pits and sandstorms" wikitext text/x-wiki Anarctica-A cursed place with swamps, lava pits and sandstorms 6eed90452958ecaf2a22ba22bea3da3325a1e6c5 File:Clarissa.png 6 150 324 2023-07-07T10:12:06Z Subaluwa 2 wikitext text/x-wiki clarissa sheet 2600c8beec53aeeee002db2a5ded71d0bc5e1968 File:Slay belle.png 6 151 325 2023-07-07T10:23:55Z Subaluwa 2 wikitext text/x-wiki sl_y b_ll_ sheet bd368fc07d99bf8dc70f260145e60cf0aafa54e0 Clarissa 0 152 326 2023-07-07T10:26:29Z Subaluwa 2 Created page with "[[File:Clarissa.png|thumb]] '''Clarissa''' is a [[vermin]]. She was in Mr. Tournament 2v2 and Christmas Tournament 2022, partnered with S-ly B-ll- and Refrigerexia, respectively. ==Information== [[File:Slay belle.png|thumb|Sl-y B-ll-'s sheet]] i made her completely originally; i was pretty much just jotting ideas down until she came to life from a basic blueprint of a high-lifes abilityless vermin what was also in mind was "how would ppl treat a vermin without any obvi..." wikitext text/x-wiki [[File:Clarissa.png|thumb]] '''Clarissa''' is a [[vermin]]. She was in Mr. Tournament 2v2 and Christmas Tournament 2022, partnered with S-ly B-ll- and Refrigerexia, respectively. ==Information== [[File:Slay belle.png|thumb|Sl-y B-ll-'s sheet]] i made her completely originally; i was pretty much just jotting ideas down until she came to life from a basic blueprint of a high-lifes abilityless vermin what was also in mind was "how would ppl treat a vermin without any obvious references to anything" for both interpreting her and what teams she would be on she has severe dyslexia and difficulty speaking, so she mainly communicates with sign language the above is represented with her scrambled text; her main hobby is reading books with audio to help her get better with understanding words she has the worst taste btw. she thinks that gritty dystopian hunger games clones with none of the actually good story r peak fiction just cause they have tons of lore set up in them she's a vegan and her healthy diet has gotten her to a neat 12 lifes! shes a lesbian in love with sl-y b-ll- and thinks to herself "i can fix her". it's an uphill battle it's not like slay belle rejects the love or anything she just genuinely believes clarissa can do so much better "i love you" "you are literally going to die of frostbite if you stick around me" e5be52056991ca40ad3901ae97a1fca3e87e3e4a 327 326 2023-07-07T10:27:16Z Subaluwa 2 wikitext text/x-wiki [[File:Clarissa.png|thumb]] '''Clarissa''' is a [[vermin]]. She was in Mr. Tournament 2v2 and Christmas Tournament 2022, partnered with S-ly B-ll- and Refrigerexia, respectively. ==Information== [[File:Slay belle.png|thumb|Sl-y B-ll-'s sheet]] i made her completely originally; i was pretty much just jotting ideas down until she came to life from a basic blueprint of a high-lifes abilityless vermin what was also in mind was "how would ppl treat a vermin without any obvious references to anything" for both interpreting her and what teams she would be on she has severe dyslexia and difficulty speaking, so she mainly communicates with sign language the above is represented with her scrambled text; her main hobby is reading books with audio to help her get better with understanding words she has the worst taste btw. she thinks that gritty dystopian hunger games clones with none of the actually good story r peak fiction just cause they have tons of lore set up in them she's a vegan and her healthy diet has gotten her to a neat 12 lifes! shes a lesbian in love with sl-y b-ll- and thinks to herself "i can fix her". it's an uphill battle it's not like slay belle rejects the love or anything she just genuinely believes clarissa can do so much better "i love you" "you are literally going to die of frostbite if you stick around me" ==Trivia-- * The Slay Belle line is based on the Snow on Mt. Silver creepypasta. be375efdaab659875be41ce8cd8bf0cac6e84785 328 327 2023-07-07T10:27:29Z Subaluwa 2 wikitext text/x-wiki [[File:Clarissa.png|thumb]] '''Clarissa''' is a [[vermin]]. She was in Mr. Tournament 2v2 and Christmas Tournament 2022, partnered with S-ly B-ll- and Refrigerexia, respectively. ==Information== [[File:Slay belle.png|thumb|Sl-y B-ll-'s sheet]] i made her completely originally; i was pretty much just jotting ideas down until she came to life from a basic blueprint of a high-lifes abilityless vermin what was also in mind was "how would ppl treat a vermin without any obvious references to anything" for both interpreting her and what teams she would be on she has severe dyslexia and difficulty speaking, so she mainly communicates with sign language the above is represented with her scrambled text; her main hobby is reading books with audio to help her get better with understanding words she has the worst taste btw. she thinks that gritty dystopian hunger games clones with none of the actually good story r peak fiction just cause they have tons of lore set up in them she's a vegan and her healthy diet has gotten her to a neat 12 lifes! shes a lesbian in love with sl-y b-ll- and thinks to herself "i can fix her". it's an uphill battle it's not like slay belle rejects the love or anything she just genuinely believes clarissa can do so much better "i love you" "you are literally going to die of frostbite if you stick around me" ==Trivia== * The Slay Belle line is based on the Snow on Mt. Silver creepypasta. bdf3b13f92d04a6e8479b1dcf8efecc6c52d8edb Macroevolution 0 76 329 166 2023-07-07T16:34:17Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:v-tnatsec.png|thumb|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back on the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] ca75f401bd15a4c7871a5d73ce08e29f33485485 330 329 2023-07-07T16:35:32Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back on the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] d768fb9bc5ba0eac45876e07b2fe9946ab1180cf 331 330 2023-07-07T16:38:07Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back on the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] bccce8f26d0cd5d58b49b2acead3372deba35977 332 331 2023-07-07T16:38:38Z Codacoda 10 /* Lore */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back on the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] ced48a5343164558becd93c4ed702ae1568b7844 333 332 2023-07-07T16:44:19Z Codacoda 10 /* Lore */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongise ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] e83364ee155a81454def0fcc892e31c7df7ad722 File:Papa pepper ghost.png 6 153 334 2023-07-11T01:54:55Z Nonny 13 [[Papa Pepper Ghost]] wikitext text/x-wiki == Summary == [[Papa Pepper Ghost]] 40f15fa744925485861f184dbaba739fb12a7a05 Papa Pepper Ghost 0 154 335 2023-07-11T01:57:27Z Nonny 13 Starting this article. :) wikitext text/x-wiki [[File:Papa_pepper_ghost.png|thumb|The '''Papa Pepper''' vermin line.]] '''Papa Pepper Ghost''' is the owner of Papa Pepper's Epic Pizza and PAsta. He's also the runner-up of the second Big "Host" Smells tournament. [[Category:Vermin]] 9e85b155f7c0e9f6e61759d15b585613e3aa784b Great Nihilis 0 106 339 338 2023-07-11T06:19:29Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] ==Info== One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. ==People== Its residence consist of the lowlifes and crooks either selling slaves or the black market. ==History== There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. ==Theme== https://youtu.be/Anm_qjR9sAg 26ad2175e101106b46ec2166a721de5539b06bd1 Main Page 0 1 340 323 2023-07-11T06:26:42Z NLD 3 /* Places */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] bfd3bb76e265978f67c6f9b8e259d4d8ba434dbc 341 340 2023-07-11T06:27:16Z NLD 3 /* Places */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] 0bcd352750b5998c659f39ad5fe6e2fe19a77148 342 341 2023-07-11T08:23:47Z NLD 3 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] 75ae1f8a3b635cb6e5d62bb925191daa021bd55c 378 342 2023-07-12T16:29:20Z Codacoda 10 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] 8a8f4e85968efaaf71e8eac917a96f57ab781516 File:Cirgnome.png 6 155 343 2023-07-11T08:25:32Z NLD 3 wikitext text/x-wiki Cirgnome e5d8fb38f6df7d3fca65b1657e402edc4ba59ec1 Cirgnome 0 156 344 2023-07-11T08:37:46Z NLD 3 Created page with "[[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of Bullet Hell Tournament 2. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won)" wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of Bullet Hell Tournament 2. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) 490f959dc817ab0e0f772e90bab319eb06b77d5c Ballingypt 0 59 345 275 2023-07-11T09:05:05Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Agriculture== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 7a6419f5eadf2aa348728beaeed53330dbbef4fc 346 345 2023-07-11T09:05:44Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Agriculture== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> [[Category:Kingdoms]] [[Category:Ballingypt]] 4a782b316314f41e35b28ec4e7d86e5a6a2f3e55 347 346 2023-07-11T09:10:37Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Agriculture== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. [[Category:Kingdoms]] [[Category:Ballingypt]] 75c7460e5ecee86c9428c912ab3f4200aa1fa3d4 361 347 2023-07-12T06:47:40Z Subaluwa 2 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. [[Category:Kingdoms]] [[Category:Ballingypt]] fb565531d8b3c5b500f4ba2dd606200aa618d684 364 361 2023-07-12T15:49:41Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *As a matter of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears gives them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 89e1ed09cedad9379681cd5fd4c91cf94652acd8 365 364 2023-07-12T15:50:17Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] b668b771d43a96260855a9c20d5aa58fc14355e8 366 365 2023-07-12T15:55:58Z Codacoda 10 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with [[Team Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 8295997d9b7c3addbd4825e7be400b694b0403fc 369 366 2023-07-12T16:07:05Z Codacoda 10 /* Inhabitants */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== [[File:Spinelessfreaks.png|thumb]] Upon wishing on a mokey paw (possibly of [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with [[Team Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] e85904a0ad12673e954a5ff072e75a8e1064d17b 370 369 2023-07-12T16:15:13Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== [[File:Spinelessfreaks.png|thumb]] Upon wishing on a mokey paw (possibly of [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with [[Team Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://images-wixmp-ed30a86b8c4ca887773594c2.wixmp.com/f/db9ed8c9-b18e-40d7-9b96-eb34d64138e6/dfr45cw-7f476e09-6a4f-447b-ba50-8db2dd1fc5ff.png?token=eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJzdWIiOiJ1cm46YXBwOjdlMGQxODg5ODIyNjQzNzNhNWYwZDQxNWVhMGQyNmUwIiwi Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] b44339e051a43b65a6a0561401c7dc00b9ecd069 371 370 2023-07-12T16:15:55Z Codacoda 10 /* Inhabitants */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with [[Team Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://images-wixmp-ed30a86b8c4ca887773594c2.wixmp.com/f/db9ed8c9-b18e-40d7-9b96-eb34d64138e6/dfr45cw-7f476e09-6a4f-447b-ba50-8db2dd1fc5ff.png?token=eyJ0eXAiOiJKV1QiLCJhbGciOiJIUzI1NiJ9.eyJzdWIiOiJ1cm46YXBwOjdlMGQxODg5ODIyNjQzNzNhNWYwZDQxNWVhMGQyNmUwIiwi Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 0eec0d95eeb9a5eaf53099c53d2d06a1f9e93b3a 372 371 2023-07-12T16:17:21Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with [[Team Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 0c33cb47050a830cb8c4a307b91068ac2216b1ef Virulent Balls 0 128 348 282 2023-07-12T06:24:04Z Subaluwa 2 wikitext text/x-wiki [[File:Virulent.gif|thumb]]virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer ==Information== <code>>Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings</code> d4d904fedd4ab48b51237e8ef6ea99ff687aa334 349 348 2023-07-12T06:24:18Z Subaluwa 2 wikitext text/x-wiki [[File:Virulent.gif|thumb]]virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings 7a1c87b7e00517ec6897bd948e4ec6a4c9c8a3e7 363 349 2023-07-12T06:51:08Z Subaluwa 2 wikitext text/x-wiki [[File:Virulent.gif|thumb]]virulent balls are kind of godlike on power scaling but they don't really make stuff or do anything except sit on the sidelines and jeer ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] 1d5ba81999f00fd35cbb0c5aa58f634397ca6273 File:My kitchen.png 6 157 350 2023-07-12T06:31:53Z Subaluwa 2 wikitext text/x-wiki my kitchen in the burning wastes 083a6c1822a83beada76813e381d609353b4543c Original timeline 0 107 351 238 2023-07-12T06:33:42Z Subaluwa 2 wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the '''new universe''' through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as [[Starters#Blorf|Blorf]] and [[Blue Sky]]. The new universe has the formal designation [[Infinite Wumpus|Wumpus]] Branch 2157A<sup>[https://www.youtube.com/watch?v=rK74DohYXhY source]</sup>. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] c7bd74f30cc0114f1b0ce185456bbd20e806be6d 379 351 2023-07-12T16:34:31Z Codacoda 10 /* Former residents */ wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the '''new universe''' through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as [[Starters#Blorf|Blorf]] and [[Blue Sky]]. The new universe has the formal designation [[Infinite Wumpus|Wumpus]] Branch 2157A<sup>[https://www.youtube.com/watch?v=rK74DohYXhY source]</sup>. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] * [[Dinoangulus]] 54884126690ae62f162ce9bfe8e7ba87dba35ffd My Kitchen 0 158 352 2023-07-12T06:35:15Z Subaluwa 2 Created page with "[[File:My kitchen.png|thumb]] '''My Kitchen''' is in the [[Burning Wastes]]. It is where My Vermins come from. Or it would be, but in the [[new universe]], My Vermins do not exist, and therefore My Kitchen is empty and devoid of life. The closest equivalent to the bags in the new universe is [[Some Crazy Bastard]]." wikitext text/x-wiki [[File:My kitchen.png|thumb]] '''My Kitchen''' is in the [[Burning Wastes]]. It is where My Vermins come from. Or it would be, but in the [[new universe]], My Vermins do not exist, and therefore My Kitchen is empty and devoid of life. The closest equivalent to the bags in the new universe is [[Some Crazy Bastard]]. d02016d1a2dad2770e707815b35cad5f352c5f66 354 352 2023-07-12T06:36:53Z Subaluwa 2 wikitext text/x-wiki [[File:My kitchen.png|center]] '''My Kitchen''' is in the [[Burning Wastes]]. It is where My Vermins come from. Or it would be, but in the [[new universe]], My Vermins do not exist, and therefore My Kitchen is empty and devoid of life. The closest equivalent to the bags in the new universe is [[Some Crazy Bastard]]. 2440d05ff5af9cbe21e15f74d202a00567db7048 355 354 2023-07-12T06:37:05Z Subaluwa 2 wikitext text/x-wiki [[File:My kitchen.png|center|600px]] '''My Kitchen''' is in the [[Burning Wastes]]. It is where My Vermins come from. Or it would be, but in the [[new universe]], My Vermins do not exist, and therefore My Kitchen is empty and devoid of life. The closest equivalent to the bags in the new universe is [[Some Crazy Bastard]]. 53bfe7e4b10b793329c5ff43f57b5b2771855aa2 356 355 2023-07-12T06:37:28Z Subaluwa 2 wikitext text/x-wiki [[File:My kitchen.png|center|600px]] '''My Kitchen''' is in the [[Burning Depths]]. It is where My Vermins come from. Or it would be, but in the [[new universe]], My Vermins do not exist, and therefore My Kitchen is empty and devoid of life. The closest equivalent to the bags in the new universe is [[Some Crazy Bastard]]. f2e9bd43b98cec025d9e6273e8398d1e2f7716ac New universe 0 159 353 2023-07-12T06:35:26Z Subaluwa 2 Redirected page to [[Original timeline]] wikitext text/x-wiki #REDIRECT [[Original timeline]] c9d681ce42546ee5a5a24d9c7cf5048253462289 Burning Depths 0 160 357 2023-07-12T06:37:52Z Subaluwa 2 Redirected page to [[The Burning Depths]] wikitext text/x-wiki #REDIRECT [[The Burning Depths]] 9db7dd46c5b76b85bc002e989437669713cc4a5e The Burning Depths 0 24 358 58 2023-07-12T06:40:01Z Subaluwa 2 wikitext text/x-wiki [[File:Teebeeedee.png|thumb]] This is the Burning Depths, it is located north east away from [[Vermerica]] on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here. e19c0f0ce276d567466c1ea95aefc74ad72dbca3 359 358 2023-07-12T06:40:10Z Subaluwa 2 wikitext text/x-wiki [[File:Teebeeedee.png|thumb]] This is the '''Burning Depths''', it is located north east away from [[Vermerica]] on the main part of the world. and will lead to another world. Burning Depths or what local vermin call it "Great Toilet HellGates" is a place where you would rather not go to for the sake of yours or anyones life since getting really close by boat or flight to the Burning Depths would lead you to a firery grave, only the strongest can get through here. efb942b12b489efa3b9c246140e40cc3e65beb6f File:Catcodile.png 6 161 360 2023-07-12T06:42:54Z Subaluwa 2 wikitext text/x-wiki python de baston, biramid, catcodile 57575d86bc7281609b78f4826e4b98aeb252b523 File:Virulent murdersuicide.gif 6 162 362 2023-07-12T06:50:45Z Subaluwa 2 wikitext text/x-wiki virulent balls commit murder-suicide (in minecraft) f3c0e33c01f712c21cf0c35c0f444fde9f0891c9 File:Spinelessfreaks.png 6 163 367 2023-07-12T16:04:24Z Codacoda 10 1-1-5-1-5 Upon wishing on a mokey paw, a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court. wikitext text/x-wiki == Summary == 1-1-5-1-5 Upon wishing on a mokey paw, a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court. 712163d4eff496119f94fd074c0619ba472b0289 368 367 2023-07-12T16:05:06Z Codacoda 10 /* Summary */ wikitext text/x-wiki == Summary == '''1-1-5-1-5''' Upon wishing on a mokey paw, a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court. 0f5411f275c9c07efd7962ec905cbeac14e95fbf File:Dinoangulus.png 6 164 373 2023-07-12T16:25:33Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Mook dinoangulus.png 6 165 374 2023-07-12T16:25:46Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Team old friends 1.png 6 166 375 2023-07-12T16:25:56Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Uwretwertwewe.gif 6 167 376 2023-07-12T16:26:17Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Team Old Friendship.png 6 168 377 2023-07-12T16:26:47Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Macroevolution 0 76 380 333 2023-07-12T16:36:38Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] e90c2b452bb6c8671ef8266df8d0da8b5867482c Dinoangulus 0 169 381 2023-07-12T16:49:21Z Codacoda 10 Created page with "[[File:Dinoangulus.png|thumb|]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This sec..." wikitext text/x-wiki [[File:Dinoangulus.png|thumb|]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == Dinangulus is an abilityless Dinoswordus variant, heavily inclined towards flight. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. == Trivia == * abcf81a2784928e4d82b41342d32b87a79b677f2 382 381 2023-07-12T16:54:28Z Codacoda 10 wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly shet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * 25d034c0cef5141b4dc5bf24841d3d4105b24225 383 382 2023-07-12T16:54:43Z Codacoda 10 wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly shet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * 9a84027cd97ac02f2e0b2257c4e03887bc746bba 384 383 2023-07-12T16:55:06Z Codacoda 10 wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * fd844c4bb129b6bad4348fb0629369fa5a3f2e8e 385 384 2023-07-12T16:55:49Z Codacoda 10 /* Information */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed, which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * 9e13e374159673f45e2b36fa72d28f67d839c7e0 386 385 2023-07-12T16:56:21Z Codacoda 10 /* Information */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * 9ddf624704413a10d6241e230d8df2ab1cfdf5b4 387 386 2023-07-12T17:06:16Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. a9ad66024b306c6e1b4d1af60127b55ec18cebae 388 387 2023-07-12T17:06:41Z Codacoda 10 /* Whippersnapper Tournament II (4v2) */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. 6ed76cc6f063ece47525840e681d5551e45f3bd4 Dinoangulus 0 169 389 388 2023-07-12T17:07:57Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming formulas, being that of Dino+(WORD)+us. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. 9b0646904ef2b49a56187beec1714a5fb5f6fb67 390 389 2023-07-12T17:09:04Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming formulas, being that of Dino+(WORD)+us. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. ab4126aebd0be4c6bd2cac009c005ee70720e454 391 390 2023-07-12T17:11:04Z Codacoda 10 wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming formulas, being that of Dino+(WORD)+us. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. 8b09cee37e0a48b0842ff70de165b40f9926622b 392 391 2023-07-12T17:11:17Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming formulas, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. 9bec639a311f7ced2f2d484647e273f8e424bce7 393 392 2023-07-12T17:11:44Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. 593de86162e99e8c3226e1406d4b82ba37e14c84 394 393 2023-07-12T17:13:04Z Codacoda 10 wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. 6f5779cfedd9bd98d0bfebc88e0f66bc0e3bfd29 396 394 2023-07-12T17:15:25Z Codacoda 10 wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers.] * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] 35d5025c831526fc2a399c87fefcfe3cc1225c8b 397 396 2023-07-12T17:25:08Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is an sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] f4bc132820d71b0b94b0202d25abff64023712ea 398 397 2023-07-12T17:27:34Z Codacoda 10 /* Information */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] bc3c11b40be364759b169f43b823c3f4c4e96a4b 399 398 2023-07-12T17:31:25Z Codacoda 10 /* Information */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinoangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] b7ac1802247f662b6cef6317671d34f43fae180f 400 399 2023-07-12T17:31:37Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinoangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinoangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral position of mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] ff21df1598ca3d140fbe926473a3c2434d750252 407 400 2023-07-13T00:51:10Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinoangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinoangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. * The goat theming pays homage to the rather viral status of some mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] 9b34426b28d39fd40dcbbdaa2121df78354d2592 425 407 2023-07-16T22:52:44Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinoangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinoangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. ** Coincidentially, one of the few other Old Universe champions, [[Metalswordus Kai]] from team [[War Machines]], also happens to be a Dinoswordus variant. * The goat theming pays homage to the rather viral status of some mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] f50f82f5fc5cda709c2b02c8b89b3315599fa6fd 426 425 2023-07-16T22:55:26Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinoangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thing but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinoangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. ** Coincidentially, one of the few other Old Universe champions, [[Metalswordus Kai]] of team [[War Machines]] from Big "Tournament" Smells [https://youtu.be/vska6Hvq6hQ V], also happens to be a Dinoswordus variant. * The goat theming pays homage to the rather viral status of some mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] 3b9c2e4aa344024ee6c8cf29a0f62b7cd01f2089 Macroevolution 0 76 395 380 2023-07-12T17:15:17Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] d59842bb74b6881cdb9e6755bc5614bad7366a44 427 395 2023-07-16T23:03:47Z Codacoda 10 wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] fe56f30399dc4db05feebff2c0d1a0f99b4c5a4b 428 427 2023-07-16T23:06:16Z Codacoda 10 /* Trivia */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the one in the sheet are quite beady and easy to miss. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] e57e0247027dff27c37adb6721f1f012f4ef9108 429 428 2023-07-16T23:06:53Z Codacoda 10 /* Trivia */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the one in the sheet are quite beady and easy to miss with the dark coloration of his skin. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] 56c615428cd9959a376eeb84377348e734c79bbb 430 429 2023-07-16T23:07:25Z Codacoda 10 /* Trivia */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The swept was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the ones in the sheet are quite beady and easy to miss with the dark coloration of his skin. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] 1fd226f67edb96562fc787f0eba407da415266a1 Ballingypt 0 59 401 372 2023-07-12T17:42:13Z Codacoda 10 /* Yas Blamgeles */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] cf0167be8b457aa82532bf576d7e4cc718efff6d 403 401 2023-07-12T19:59:02Z Subaluwa 2 /* Wildlife */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 55e3e9d85b2a7f6291297ce31a6595b6325bd7af 404 403 2023-07-12T20:12:56Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] e7d4ce0e2ffd130d69ccc2e3628eb2536e2f73bc 410 404 2023-07-13T12:56:43Z Codacoda 10 wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously, so much so that the main means of transportation are either jogging or, for long distances, cycling. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 0e5da6fc9154c922e4e8e3545fe030f744117bbb 419 410 2023-07-14T16:25:49Z Codacoda 10 /* Yas Blamgeles */ wikitext text/x-wiki [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously, so much so that the main means of transportation are either jogging or, for long distances, cycling. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. Some architecture of the neighboring region, the Deserted Dessert Desert, seem to be quite similar to Ballingypt's, albeit with a candy-themed spin to it, and, due to the current largely deserted situation of the same, the connection remains ambiguous. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 457ebefe1f673b18a8bfc01449bb68bb9347478c File:Catcodile2.png 6 170 402 2023-07-12T19:58:55Z Subaluwa 2 wikitext text/x-wiki catcodile info e22be229f2e152b1e987ab60767603d460e08a96 EEEEEEEEE 0 50 405 223 2023-07-12T22:59:18Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ===Terrain=== The rugged, toxic terrain permeating the kingdom makes it nearly impossible to traverse safely on foot. Most citizens use specialized racecars to go from place to place. You ''can'' teleport between bonfires, but that's for casuals. ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The national sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 208ccac5ef7e748f9568351209496ea27ce86a1f 406 405 2023-07-12T23:37:09Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ===Terrain=== The rugged, toxic terrain permeating the kingdom makes it nearly impossible to traverse safely on foot. Most citizens use specialized racecars to go from place to place. You ''can'' teleport between bonfires, but that's for casuals. <youtube>https://youtu.be/v-3XhuOfV8E</youtube> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The national sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 2bd0ee2f7765ebe0e958ee1de08c89ab135d282f Main Page 0 1 408 378 2023-07-13T03:13:17Z Subaluwa 2 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Papa Pepper]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] 493e5b42846cf774ac6d7df62519a5b2614faf66 409 408 2023-07-13T03:14:12Z Subaluwa 2 /* Vermin */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] 65615c41c3e1de37bbcfcea4a9b81024489c70e3 412 409 2023-07-13T20:56:24Z Subaluwa 2 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] 0959a02a437112246cf1c1321ccfc4eb7eeb8e10 420 412 2023-07-15T13:35:15Z STRONGETS HOST OGRO 6 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] f96e3ce83871295d4ee26a964dd9e70af2087bbd User:Codacoda 2 171 411 2023-07-13T17:24:00Z Codacoda 10 Created page with "[[File:3d saul goodman.gif]]" wikitext text/x-wiki [[File:3d saul goodman.gif]] d8722277891072ccd9205e908e28842a31bebe21 File:Beukhoofd.png 6 172 413 2023-07-13T21:04:21Z Subaluwa 2 wikitext text/x-wiki beukhoofd's sheet for wizard tournament 84e11a57fe539effdb7979a184ab087e0b6fc378 File:Beukhoofd clay.png 6 173 414 2023-07-13T21:11:39Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Beukhoofd pico.gif 6 174 415 2023-07-13T21:11:53Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Beukhoofd yellow.png 6 175 416 2023-07-13T21:12:05Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Beukhoofd green.png 6 176 417 2023-07-13T21:12:21Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Beukhoofd 0 177 418 2023-07-13T21:19:56Z Subaluwa 2 Created page with "[[File:Beukhoofd.png|thumb]]'''Beukhoofd''' is the champion of the Wizard Tournament, which was a mook recruitment tournament. Beukhoofd champed along with Smith, the Wizard of Wesson, Beefus, and Angry Gun. ==Information== This is Beukhoofd, which roughly translates to "Bonkhead". I don't even remember how old I was when I came up with this, but I remember it was around the time when Medabots was on TV. And I had a thought: "what if instead of awesome robots with laser..." wikitext text/x-wiki [[File:Beukhoofd.png|thumb]]'''Beukhoofd''' is the champion of the Wizard Tournament, which was a mook recruitment tournament. Beukhoofd champed along with Smith, the Wizard of Wesson, Beefus, and Angry Gun. ==Information== This is Beukhoofd, which roughly translates to "Bonkhead". I don't even remember how old I was when I came up with this, but I remember it was around the time when Medabots was on TV. And I had a thought: "what if instead of awesome robots with lasers and claws, they were lame wooden toys, and instead of fighting, they kind of bonked into eachother?" It was brilliant. There were a bunch of Beukhoofds in various colours, some of them had like spikes on their ramming surface, or body armour, and I faintly remember thinking of a plot where the villain had a Beukhoofd who was so big he used it to beuk buildings over. I don't know why I never got an anime made out of this. Are you wondering what they look like from the side? Me too, if I ever drew them from another angle I always obscured the ramming surface because it raised a lot of questions about how their face works. I don't remember much, because this was REALLY long ago, but I think they had a mega form too. There was also a magic Beukhoofd fairy who looked like a jelly bean with a top hat and a cane. Maybe I'll search the attic for this shit one day and solve the mysteries of Beukhoofd. ==Gallery== <gallery> Beukhoofd clay.png|Clay sculpture Beukhoofd pico.gif|Animated Beukhoofd Beukhoofd yellow.png|Forma de Super Saiyajin Beukhoofd green.png|Forma Super Saiyan Verde </gallery> ‎ ==Trivia== * One of them had an Elvis hairstyle and blue suede wheels. * That drawing is probably from when I was like 17, the original drawings were all in pencil and are somewhere in the depths of my dad's attic or something. 6094faea27b04c6a3eeb72883ff9a197c9979188 File:Smug.png 6 178 421 2023-07-15T13:37:35Z STRONGETS HOST OGRO 6 wikitext text/x-wiki snmug 8185bea5ac24839a4f538491f15dc17d70ed7cdb Ultra Host 0 179 422 2023-07-15T13:41:10Z STRONGETS HOST OGRO 6 Created page with "[[File:Bro did you just kill the cat.png|thumb]] Yeah i killed vermin once [[File:Smug.png|24x24px]]" wikitext text/x-wiki [[File:Bro did you just kill the cat.png|thumb]] Yeah i killed vermin once [[File:Smug.png|24x24px]] 17a863ec98ca23514a4537aafe586222277b6d86 Great Nihilis 0 106 423 339 2023-07-16T08:29:36Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] ==Info== One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. ==People== Its residence consist of the lowlifes and crooks either selling slaves or the black market. ==History== There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. ==Theme== https://youtu.be/Anm_qjR9sAg <youtube width="200" height="200">Anm_qjR9sAg</youtube> 956c6d7bed237eee0e1082d7e90bbd7a1af8b530 424 423 2023-07-16T08:30:03Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] ==Info== One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. ==People== Its residence consist of the lowlifes and crooks either selling slaves or the black market. ==History== There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. ==Nations Anthem== <youtube width="200" height="200">Anm_qjR9sAg</youtube> 1cd9839a647377cd44e42b6ee21212be936de87a Awoogalia 0 180 431 2023-07-18T19:40:08Z Arllyhautegoth 4 Created page with "women" wikitext text/x-wiki women b3ae4f722a30578fac0191593f82a69346a877d0 Coin Host 0 43 432 197 2023-07-20T22:47:12Z 2603:8000:F3A:683B:B82F:AAA1:E88A:1026 0 wikitext text/x-wiki [[File:Coin Host.png|thumb|200px]] '''Coin Host''' is a [[host]]. He runs Battle Cats tournaments. ==Information== He is formerly from the old universe, but was spirited away by Elder Crab Bucket to the [[Infinite Wumpus]] space station just before [[VEK Host]] destroyed the world. Coin Host has a counterpart in the new universe known as Doin Host. Since Coin Host lost his old Blorf and Dinoswordus bases to the VEKpocalypse, he relies on Doin Host to hold tournaments for him. [[File:Coin doin slap.png|thumb]] Doin Host is morose and pessimistic due to growing up in an era where vermins was dead. He doesn't break out his Age of War engine unless Coin Host forces him to. He held Doin Tournament 2 to raid [[Blue Sky]]'s pocket dimension for the valuable statues, inadvertently releasing Blue Sky himself in the process. ==Trivia== * Elder Crab Bucket is constantly nagging him to hold tourneys again, but he's too lazy and easily distracted. * He pays for all the money in his tournaments. [[Category:Hosts]] 6f4449cbc0ce2c1c289640d8491f159d3fb3e2cd My Kitchen 0 158 433 356 2023-07-20T22:48:18Z 2603:8000:F3A:683B:B82F:AAA1:E88A:1026 0 wikitext text/x-wiki [[File:My kitchen.png|center|600px]] '''My Kitchen''' is <s>in</s> next to the [[Burning Depths]]. It is where My Vermins come from. Or it would be, but in the [[new universe]], My Vermins do not exist, and therefore My Kitchen is empty and devoid of life. The closest equivalent to the bags in the new universe is [[Some Crazy Bastard]]. 596111e35bca0e9e1f081c57806ea7c37256ec4c File:Bluesky fail.png 6 181 434 2023-07-20T22:51:58Z Subaluwa 2 wikitext text/x-wiki EPIC FAIL ddfb7b034539735cd091653af61a789f47549fd4 Blue Sky 0 182 435 2023-07-20T22:52:59Z Subaluwa 2 Created page with "[[File:Bluesky fail.png|thumb]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]." wikitext text/x-wiki [[File:Bluesky fail.png|thumb]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. 7c31745724d90d0c70c641d276d8955bed0ae525 436 435 2023-07-23T07:00:50Z NLD 3 please update if any incorrect information was given. wikitext text/x-wiki [[File:Bluesky fail.png|thumb]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == At some point in the past, Blue Sky had discovered relics from the old timeline that depicted him as a king. This caused Blue Sky to become stricken with anger, wishing to attain that which he had before in what was essentially a previous life. Having at some point abducted Big "Host" Smells and extracted his host essence, Blue Sky entered a parallel world in pursuit of the entity "VEK" who he believed would grant him the power to make his dream a reality. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls were able to look upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, Doin Host had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as Coin Host accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. 388045e17aa214e212f03117aeb83b68500157d8 File:Cirgnome on a Roomba.png 6 183 437 2023-07-23T07:07:51Z NLD 3 wikitext text/x-wiki burst mode c6d5ed7323d3899d4c6abb9aea277ed92d4394a9 Cirgnome 0 156 438 344 2023-07-23T07:08:34Z NLD 3 Why does a lawn gnome need lore, anyway? wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of Bullet Hell Tournament 2. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] 20b9de1a259924fffc2a140af38045dead2b6404 Blue Sky 0 182 439 436 2023-07-23T07:36:28Z NLD 3 wikitext text/x-wiki [[File:Bluesky fail.png|thumb]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == At some point in the past, Blue Sky had discovered relics from the old timeline that depicted him as a king. This caused Blue Sky to become stricken with anger, wishing to attain that which he had before in what was essentially a previous life. Having at some point abducted Big "Host" Smells and extracted his host essence, Blue Sky entered a parallel world in pursuit of the entity "VEK" who he believed would grant him the power to make his dream a reality. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls were able to look upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as [[Coin Host]] accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. 4d39aaa91e7bdb9be749af0bd8f8524a7f7df401 Main Page 0 1 440 420 2023-07-23T09:39:46Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ==Bullet Hell== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] 1a6f67b871842fdb7885bcb90bf9907c13ab5c80 441 440 2023-07-23T09:40:13Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] fab91dc01cdc7c5f164723572a392b88446ef200 452 441 2023-07-23T10:42:16Z Subaluwa 2 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournaments" Smell=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] * [[King GruBLAM!]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] 3e1358c5759848f3283404c1590d1b3d9bb3c3ed File:Ralphie Host.png 6 184 442 2023-07-23T10:21:05Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Ralphie Host 0 185 443 2023-07-23T10:34:26Z Subaluwa 2 Created page with "[[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were Attack Defense System, [[Cirgnome]], and Papa Roach, who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but At..." wikitext text/x-wiki [[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were Attack Defense System, [[Cirgnome]], and Papa Roach, who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but Attack Defense System and Cirgnome managed to evade him long enough to return the artifacts to Ralphie Host. After The Seeker brutally murdered Papa Roach canonically irl, Gaalm used Papa Roach's retrieved artifact to enter the [[new universe|vermin universe]] and return to the anomaly, which was his project to reshape all of reality to his will. Gaalm got annoyed that Ralphie Host was using his project to manifest cash and booze, and tore him apart with hooks. b780f5c2c7e1cdba1dd171033d279125377561ed 446 443 2023-07-23T10:37:05Z Subaluwa 2 wikitext text/x-wiki [[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were Attack Defense System, [[Cirgnome]], and Papa Roach, who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but Attack Defense System and Cirgnome managed to evade him long enough to return the artifacts to Ralphie Host. [[File:Ralphie host dead.jpg|thumb]] After The Seeker brutally murdered Papa Roach canonically irl, Gaalm used Papa Roach's retrieved artifact to enter the [[new universe|vermin universe]] and return to the anomaly, which was his project to reshape all of reality to his will. Gaalm got annoyed that Ralphie Host was using his project to manifest cash and booze, and tore him apart with hooks. 9f231ca718bc536b148a33cbedf7abf33389cc30 447 446 2023-07-23T10:37:39Z Subaluwa 2 wikitext text/x-wiki [[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were Attack Defense System, [[Cirgnome]], and Papa Roach, who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but Attack Defense System and Cirgnome managed to evade him long enough to return the artifacts to Ralphie Host. Papa Roach was not so lucky. [[File:Ralphie host dead.jpg|thumb]] After The Seeker brutally murdered Papa Roach canonically irl, Gaalm used Papa Roach's retrieved artifact to enter the [[new universe|vermin universe]] and return to the anomaly, which was his project to reshape all of reality to his will. Gaalm got annoyed that Ralphie Host was using his project to manifest cash and booze, and tore him apart with hooks. 7fc2dc2b69a1ab42ad85c5a87db5a99f4c7fa8dc 469 447 2023-07-26T03:58:43Z NLD 3 wikitext text/x-wiki [[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were [[Attack Defense System]], [[Cirgnome]], and [[Papa Roach]], who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but Attack Defense System and Cirgnome managed to evade him long enough to return the artifacts to Ralphie Host. Papa Roach was not so lucky. [[File:Ralphie host dead.jpg|thumb]] After The Seeker brutally murdered Papa Roach canonically irl, Gaalm used Papa Roach's retrieved artifact to enter the [[new universe|vermin universe]] and return to the anomaly, which was his project to reshape all of reality to his will. Gaalm got annoyed that Ralphie Host was using his project to manifest cash and booze, and tore him apart with hooks. 8a10daee4ca677144bca52bd0d0e7dbdc9d29f8c 483 469 2023-07-29T09:47:24Z Subaluwa 2 wikitext text/x-wiki [[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were [[Attack Defense System]], [[Cirgnome]], and [[Papa Roach]], who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but Attack Defense System and Cirgnome managed to evade him long enough to return the artifacts to Ralphie Host. Papa Roach was not so lucky. [[File:Ralphie host dead.jpg|thumb]] After The Seeker brutally murdered Papa Roach canonically irl, Gaalm used Papa Roach's retrieved artifact to enter the [[new universe|vermin universe]] and return to the anomaly, which was his project to reshape all of reality to his will. Gaalm got annoyed that Ralphie Host was using his project to manifest cash and booze, and tore him apart with hooks. [[Category:Hosts]] [[Category:Deceased]] 9f6b3e0f912c7c2c58ee5f9de719c30c6bb75319 Cirgnome 0 156 444 438 2023-07-23T10:34:46Z Subaluwa 2 wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of [[Ralphie Host|Bullet Hell Tournament 2]]. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] 9763ed8c74985cacad71b6cc7c7274fb8190dcf6 File:Ralphie host dead.jpg 6 186 445 2023-07-23T10:37:01Z Subaluwa 2 wikitext text/x-wiki pop culture characters reacting to tragedies, vermin edition 04827c8afb373496eedd23b4cb1ee9a744c9ac2f File:Grubpog.png 6 187 448 2023-07-23T10:39:10Z Subaluwa 2 wikitext text/x-wiki grublam pog dfe59729a6600073c62743e19658e5995c72fd54 File:Grubruh.png 6 188 449 2023-07-23T10:39:30Z Subaluwa 2 wikitext text/x-wiki grublam bruh f9849b8e01a128e34feb091b527258aa46e1841d King GruBLAM! 0 189 450 2023-07-23T10:40:13Z Subaluwa 2 Created page with "[[File:Grubpog.png|thumb|left]] [[File:Grubruh.png|thumb|right]] '''King GruBLAM!''' is the champion of a tournament. He is the king of [[Yas Blamgeles]]." wikitext text/x-wiki [[File:Grubpog.png|thumb|left]] [[File:Grubruh.png|thumb|right]] '''King GruBLAM!''' is the champion of a tournament. He is the king of [[Yas Blamgeles]]. 53ff70e09bb1b23214420b15228f72c29a98daf4 451 450 2023-07-23T10:41:06Z Subaluwa 2 wikitext text/x-wiki [[File:Grubpog.png|thumb|left]] [[File:Grubruh.png|thumb|right]] '''King GruBLAM!''' is the champion of a tournament. He is the king of [[Yas Blamgeles]]. ==Information== He has knights that fought the [[Lord of Misrule]]. ==Trivia== * He was shocked by the death of [[Ralphie Host]]. d88e18c6b52444eb0b6fecff553a3603195b03a3 Ultra Host 0 179 453 422 2023-07-23T10:43:02Z Subaluwa 2 wikitext text/x-wiki [[File:Bro did you just kill the cat.png|thumb]] Yeah i killed vermin once [[File:Smug.png|24x24px]] ==Information== He lives(d) in [[Ultra Hell]]. 7c283b26b6a1a05530c7f6efb0031322b4baa99f 455 453 2023-07-23T10:43:43Z Subaluwa 2 Subaluwa moved page [[Ultra ""Host""]] to [[Ultra Host]] wikitext text/x-wiki [[File:Bro did you just kill the cat.png|thumb]] Yeah i killed vermin once [[File:Smug.png|24x24px]] ==Information== He lives(d) in [[Ultra Hell]]. 7c283b26b6a1a05530c7f6efb0031322b4baa99f Ultra Hell 0 6 454 124 2023-07-23T10:43:19Z Subaluwa 2 wikitext text/x-wiki [[File:Hell had to win.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot of radiation. Thus they're dumb assholes who only know how to fight and due to the situation they live in they're able to fuse with weaker loserbitch vermins. [[Ultra Host]] was basically stopping them from going out of Plato's cave and being disintegrated or something, but now he's on a forever vacation. [[File:THE VERMIN.png|thumb|right|Drill God Killer King, a 7th stage hellmin filled with hectic evolutionary energy.]] 4d83b29c63fabd6cd33973f8148eede0fb43b2c3 Ultra ""Host"" 0 190 456 2023-07-23T10:43:44Z Subaluwa 2 Subaluwa moved page [[Ultra ""Host""]] to [[Ultra Host]] wikitext text/x-wiki #REDIRECT [[Ultra Host]] f86011f808b70d6e85820350ac81b690fe2aa196 Greater Ohio 0 28 457 145 2023-07-24T01:14:33Z Subaluwa 2 wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Divided Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. Eventually, all the people died out, leaving only the sentient runestones. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== Ohio and ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ share an uneasy truce due to both being fallen kingdoms full of angst and trauma. However, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ harbors unspoken envy for Ohio's rich, flowing fields of grain. ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. [[Category:Kingdoms]] [[Category:Greater Ohio]] b50511c4c6a1cf6523c1c08736702c6c490f4351 The Divided Kingdoms 0 8 458 191 2023-07-24T01:15:00Z Subaluwa 2 wikitext text/x-wiki [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The five '''Divided Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. ==Kingdoms== * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] ==Kings== * [[Archmungus Emeloth]] * [[Mag N. Ficent]] * [[Grimmald]] * [[The Incisor]] * [[Gato Supreme]] [[File:Da counter chart.png|thumb|Very true and really official power dynamic of the kingdoms]] <youtube>ADYzngt9wdg</youtube> ==See also== * [[Cannabis in the Divided Kingdoms]] [[Category:Kingdoms]] 56aa578737c2f2d84014fe1ca30d9645c14441c2 Cannabis in the Divided Kingdoms 0 191 459 2023-07-24T01:24:14Z Subaluwa 2 Created page with "'''Cannabis in the [[Divided Kingdoms]]''' is generally illegal on various practical and moral grounds. ==Legality== * [[Greater Ohio]]: Illegal for messing with runelords' ability to keep Ohio afloat. * [[Hahalatia]]: Illegal because stoners find everything funny, which devalues the kingdom with counterfeit laughcoin. * [[ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ ]]: Illegal after stoners kept crashing their goop drifters. * [[Tunguska]]: Te..." wikitext text/x-wiki '''Cannabis in the [[Divided Kingdoms]]''' is generally illegal on various practical and moral grounds. ==Legality== * [[Greater Ohio]]: Illegal for messing with runelords' ability to keep Ohio afloat. * [[Hahalatia]]: Illegal because stoners find everything funny, which devalues the kingdom with counterfeit laughcoin. * [[ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ ]]: Illegal after stoners kept crashing their goop drifters. * [[Tunguska]]: Technically legal. However, smoking carries the death penalty for air pollution and agriculture is banned (except tree farms), so the beavers grow it secretly in Ohio cornfields. * [[Ballingypt]]: Illegal for being a performance dehancer. a6866536d5f8cba9e42909bb86752c738e5c1ca3 460 459 2023-07-24T01:26:10Z Subaluwa 2 wikitext text/x-wiki '''Cannabis in the [[Divided Kingdoms]]''' is generally illegal on various practical and moral grounds. ==Legality== * [[Greater Ohio]]: Illegal for messing with runelords' ability to keep Ohio afloat. * [[Hahalatia]]: Illegal because stoners find everything funny, which devalues the kingdom with counterfeit laughcoin. * [[ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ ]]: Illegal after stoners kept crashing their goop drifters. * [[Tunguska]]: Technically legal. However, smoking carries the death penalty for air pollution and agriculture is banned (except tree farms), so the beavers grow it secretly in Ohio cornfields. * [[Ballingypt]]: Illegal for being a performance dehancer. ==Effects on local attitudes== Ohioans suffer from marijuana poisoning after consuming marijuana, mistaking it for corn. "It was in the Cornfield, there's only Corn in the Cornfield, who would put non-corn in the cornfield!? -sobs cry-" "I ain't unsettled these lands from since before the whole state of Ohio lifted itself offa the ground, now these yokles gone and been eatin' mah crop like it's candy corn! Buncha savoges, they are." - The Beaver of the Cannabis Square 01e39ccfff9bf7a6bd627c01092b44d3070cfdca 462 460 2023-07-24T01:28:33Z Subaluwa 2 wikitext text/x-wiki [[File:Cannabis hidden in cornfield.jpg|thumb|A patch of Tunguskan cannabis hidden in an Ohio cornfield.]] '''Cannabis in the [[Divided Kingdoms]]''' is generally illegal on various practical and moral grounds. ==Legality== * [[Greater Ohio]]: Illegal for messing with runelords' ability to keep Ohio afloat. * [[Hahalatia]]: Illegal because stoners find everything funny, which devalues the kingdom with counterfeit laughcoin. * [[ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ ]]: Illegal after stoners kept crashing their goop drifters. * [[Tunguska]]: Technically legal. However, smoking carries the death penalty for air pollution and agriculture is banned (except tree farms), so the beavers grow it secretly in Ohio cornfields. * [[Ballingypt]]: Illegal for being a performance dehancer. ==Effects on local attitudes== Ohioans suffer from marijuana poisoning after consuming marijuana, mistaking it for corn. "It was in the Cornfield, there's only Corn in the Cornfield, who would put non-corn in the cornfield!? -sobs cry-" "I ain't unsettled these lands from since before the whole state of Ohio lifted itself offa the ground, now these yokles gone and been eatin' mah crop like it's candy corn! Buncha savoges, they are." - The Beaver of the Cannabis Square 72b31cbc4d9703f797cde92b70c4aacb9931b0d7 464 462 2023-07-24T03:54:47Z Subaluwa 2 wikitext text/x-wiki [[File:Cannabis hidden in cornfield.jpg|thumb|A patch of Tunguskan cannabis hidden in an Ohio cornfield.]] '''Cannabis in the [[Divided Kingdoms]]''' is generally illegal on various practical and moral grounds. ==Legality== * [[Greater Ohio]]: Illegal for messing with runelords' ability to keep Ohio afloat. * [[Hahalatia]]: Illegal because stoners find everything funny, which devalues the kingdom with counterfeit laughcoin. * [[ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ ]]: Illegal after stoners kept crashing their goop drifters. * [[Tunguska]]: Technically legal. However, smoking carries the death penalty for air pollution and agriculture is banned (except tree farms), so the beavers grow it secretly in Ohio cornfields. * [[Ballingypt]]: Illegal for being a performance dehancer. [[The Seer] bans cannabis in his temple. Rumors suggest that this is due to his lack of lungs with which to toke a joint. ==Effects on inter-kingdom relations== Ohioans suffer from marijuana poisoning after consuming marijuana, mistaking it for corn. "It was in the Cornfield, there's only Corn in the Cornfield, who would put non-corn in the cornfield!? -sobs cry-" "I ain't unsettled these lands from since before the whole state of Ohio lifted itself offa the ground, now these yokles gone and been eatin' mah crop like it's candy corn! Buncha savoges, they are." - The Beaver of the Cannabis Square ==See also== * [[The High Priest]] b2aaad89068a22cffc4096e204e26c5b7050878c 465 464 2023-07-24T03:54:54Z Subaluwa 2 wikitext text/x-wiki [[File:Cannabis hidden in cornfield.jpg|thumb|A patch of Tunguskan cannabis hidden in an Ohio cornfield.]] '''Cannabis in the [[Divided Kingdoms]]''' is generally illegal on various practical and moral grounds. ==Legality== * [[Greater Ohio]]: Illegal for messing with runelords' ability to keep Ohio afloat. * [[Hahalatia]]: Illegal because stoners find everything funny, which devalues the kingdom with counterfeit laughcoin. * [[ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ ]]: Illegal after stoners kept crashing their goop drifters. * [[Tunguska]]: Technically legal. However, smoking carries the death penalty for air pollution and agriculture is banned (except tree farms), so the beavers grow it secretly in Ohio cornfields. * [[Ballingypt]]: Illegal for being a performance dehancer. [[The Seer]] bans cannabis in his temple. Rumors suggest that this is due to his lack of lungs with which to toke a joint. ==Effects on inter-kingdom relations== Ohioans suffer from marijuana poisoning after consuming marijuana, mistaking it for corn. "It was in the Cornfield, there's only Corn in the Cornfield, who would put non-corn in the cornfield!? -sobs cry-" "I ain't unsettled these lands from since before the whole state of Ohio lifted itself offa the ground, now these yokles gone and been eatin' mah crop like it's candy corn! Buncha savoges, they are." - The Beaver of the Cannabis Square ==See also== * [[The High Priest]] 6279a2dd2c18c6e115ee17e5b0489c4618681961 File:Cannabis hidden in cornfield.jpg 6 192 461 2023-07-24T01:28:15Z Subaluwa 2 wikitext text/x-wiki https://twitter.com/DilettanteryPod/status/1682225383050027009 a9cb79ab69c51524aaf1c2d605961ce80bd5c9f4 The High Priest 0 45 463 151 2023-07-24T01:30:53Z Subaluwa 2 wikitext text/x-wiki [[File:High priest.png|thumb|DUDE WEED LMAO]] * the high priest rundown! cause who doesn't like weed? (approximately over 100 countries.) * they were originally made for the knights of grublam pageant, which is why i went super detailed in their design! even if they didnt win i'm rlly proud of the end result * making something so unapologetically drug related was kind of iffy on my part but i ended up happy with it. "the high priest" was too good of a pun to pass up * yes he is high all the time. the only distinction is whether he is still functioning levels of high or Oh God I Am Seeing Other Dimensions levels of high * she is definitely a loser stoner dont get me wrong but she also wants to do make something of herself by spreading peace and love.... and by trying to get marijuana legalized worldwide. she thinks weed is fucking Awesome but is aware its not suitable for everyone. she will generally avoid people who dont feel like being around someone who smells like an actual smoke cloud * they're essentially a walking plant-bug of cannabis; their hair has the texture of marijuana leaves, and their mushroom cap is removable. their antennae is consistently part of them and their blood color is probably not on the visible light spectrum but they are generally humanoid * it is genderfluid and pansexual and honestly couldnt care less as long as u like weed. it does not like commitment tho, preferring casual relationships over anything * on the surface, he loves a good party and enjoying the thrills of life, but behind that carefree façade he gets pretty nervous. he flounders social interactions constantly but its not him being high he just sucks at that LOL * outside of chronic kush smoking (it isn't bad for her btw), she practices gardening (...mainlyyy for weed) and other things that let her see nature, like sightseeing, hiking, and camping! [[File:DUDE.png|thumb]] * is the only vermin to solve TogaQuest (while blazed out of their fuckin skull) * if the high priest by some miracle champs, weed will be [[Cannabis in the Divided Kingdoms|legal]] ** ....in specifically the lowest-populated county of greater ohio and nowhere else ad7f1c1631a18de2607e534fdac823982d907468 The Seer 0 10 466 200 2023-07-24T03:55:56Z Subaluwa 2 wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]]. He is much older than the five kings and acts as their overseer. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea [[Category:Hosts]] db4dd9ed246f58fb93e9b2233932ea33a0bd2b41 473 466 2023-07-27T00:47:10Z Codacoda 10 /* Champions */ wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]]. He is much older than the five kings and acts as their overseer. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th, 2023.]</sup> [[Category:Hosts]] 1857045a14c1cf882a6dd4c104cd25bb10527388 474 473 2023-07-27T00:48:17Z Codacoda 10 /* Champions */ wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]]. He is much older than the five kings and acts as their overseer. ==Information== The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> [[Category:Hosts]] 52e2a7785d181152fa24b9ae32368b07ab59fc2e 475 474 2023-07-27T00:50:01Z Codacoda 10 wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]]. He is much older than the five kings and acts as their overseer. ==Information== <youtube>https://youtu.be/ADYzngt9wdg</youtube> The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> [[Category:Hosts]] decfafbda71203bfdbc6d646cd337a7da8c0b444 476 475 2023-07-27T00:53:04Z Codacoda 10 /* Information */ wikitext text/x-wiki [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]]. He is much older than the five kings and acts as their overseer. ==Information== <youtube>https://youtu.be/ADYzngt9wdg?t=179</youtube> The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> [[Category:Hosts]] 4b532dca97bd4d6ead66f804b5c3959f1ef159e3 King GruBLAM 0 193 467 2023-07-24T03:56:59Z Subaluwa 2 Redirected page to [[King GruBLAM!]] wikitext text/x-wiki #REDIRECT [[King GruBLAM!]] b09d41b21ccabeb419d1d9c5b390cee2cdd4c47e Awoogalia 0 180 468 431 2023-07-26T00:48:29Z STRONGETS HOST OGRO 6 wikitext text/x-wiki women <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> ecc17c1db33ad2ee5bb93a0aed90939d7b6a539b 471 468 2023-07-26T21:24:27Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Awoogalia.png|thumb|women|500px]] '''Awoogalia''' is a small island kingdom off the coast of Tunguska, acting as its own independent area. While not included with the original 5, it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is ████████████████████. Little information is known about the kingdom at this time, except for the fact that they fucking love war. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> 1b9a2f9857746277057f2ca3b54879c1b69c7a21 472 471 2023-07-26T21:25:00Z Arllyhautegoth 4 wikitext text/x-wiki [[File:Awoogalia.png|thumb|[[women]]|500px]] '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is ████████████████████. Little information is known about the kingdom at this time, except for the fact that they fucking love war. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> f63626dfbdb68b1347b0e79aa664181bccd92973 487 472 2023-07-29T16:28:29Z Nonny 13 wikitext text/x-wiki [[File:Awoogalia.png|thumb|[[women]]|500px]] '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. Little information is known about the kingdom at this time, except for the fact that they fucking love war. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> 6724e3ef76c2a564ea70d795feb84e5e567ac9c2 File:Awoogalia.png 6 194 470 2023-07-26T21:20:05Z Arllyhautegoth 4 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 EEEEEEEEE 0 50 477 406 2023-07-27T01:02:56Z STRONGETS HOST OGRO 6 wikitext text/x-wiki [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' (Common Goopese: ✨ ([https://www.youtube.com/watch?v=w-Hr3XFJ8FA listen])) is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ===Terrain=== The rugged, toxic terrain permeating the kingdom makes it nearly impossible to traverse safely on foot. Most citizens use specialized racecars to go from place to place. You ''can'' teleport between bonfires, but that's for casuals. <youtube>https://youtu.be/v-3XhuOfV8E</youtube> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The national sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 051bd6ac6cb077a42c02af9c3a7438227dc10154 Big "Host" Smells 0 140 478 309 2023-07-29T09:28:44Z Subaluwa 2 wikitext text/x-wiki [[File:Big host smells women.png|thumb]] '''Big "Host" Smells''' is a [[host]]. ==Information== In Big "Tournament" Smells 1, he drove a bunch of vermin out to the desert to hold fights because he didn't want to pay for an arena. [[File:Bhs missing poster.png|thumb]] He used to have an actual body, but [[Blue Sky]] sucked him dry in a dingy basement (read: put him in a host-sucking machine that sucked out Big "Host" Smells's host juices). The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defeat, so BHS is still a weird cum blob. ==Trivia== * He is Australian, despite Australia not actually existing in the vermin universe. de1635a4863cb30a09f8168740e5cb7591156f31 File:Papa roach.png 6 195 479 2023-07-29T09:34:15Z Subaluwa 2 wikitext text/x-wiki Papa Roach's sheet. badd90a3355d77cc0e10f6bec02a7fcffa87dc78 File:Seeker and papa roach.png 6 196 480 2023-07-29T09:38:50Z Subaluwa 2 wikitext text/x-wiki seeker about to surprise buttsecks papa roach 73db40d08d372be2ef22aa7c3ef5a4201d9b3fad Papa Roach 0 197 481 2023-07-29T09:45:46Z Subaluwa 2 Created page with "[[File:Papa roach.png|thumb]] '''Papa Roach''' was the champion of [[Ralphie Host|Bullet Hell 3]] until he was slain by The Seeker. ==Tournament standings== In the [[old universe]], Papa Roach was in WC Tournament 7 as part of Team Darkstalkers, along with Shooty Spider and Shadowmister Jr. He was one of the few survivors to enter the new universe. Papa Roach later entered Bullet Hell 3 and champed, defeating Juanhell. He beat the superboss Cuuzaat to gain the artifact..." wikitext text/x-wiki [[File:Papa roach.png|thumb]] '''Papa Roach''' was the champion of [[Ralphie Host|Bullet Hell 3]] until he was slain by The Seeker. ==Tournament standings== In the [[old universe]], Papa Roach was in WC Tournament 7 as part of Team Darkstalkers, along with Shooty Spider and Shadowmister Jr. He was one of the few survivors to enter the new universe. Papa Roach later entered Bullet Hell 3 and champed, defeating Juanhell. He beat the superboss Cuuzaat to gain the artifact The Wrist of Saa, but failed to hide from The Seeker. ==Information== [[File:Seeker and papa roach.png|thumb|Top 10 Pictures Taken Moments Before Disaster]] After acquiring the Wrist of Saa, Papa Roach tried to hide from The Seeker in a cave behind some rocks, but he was unfortunately pulped by 99 muscle worth of muscle. He is now canonically dead for real. 5c430d0af82c2a464179a24598c24b9e49339bd8 482 481 2023-07-29T09:46:39Z Subaluwa 2 wikitext text/x-wiki [[File:Papa roach.png|thumb]] '''Papa Roach''' was the champion of [[Ralphie Host|Bullet Hell 3]] until he was slain by The Seeker. ==Tournament standings== In the [[old universe]], Papa Roach was in WC Tournament 7 as part of Team Darkstalkers, along with Shooty Spider and Shadowmister Jr. He was one of the few survivors to enter the new universe. Papa Roach later entered Bullet Hell 3 and champed, defeating Juanhell. He beat the superboss Cuuzaat to gain the artifact The Wrist of Saa, but failed to hide from The Seeker. ==Information== [[File:Seeker and papa roach.png|thumb|Top 10 Pictures Taken Moments Before Disaster]] After acquiring the Wrist of Saa, Papa Roach tried to hide from The Seeker in a cave behind some rocks, but he was unfortunately pulped by 99 muscle worth of muscle. He is now canonically dead for real. [[Category:Vermin]] [[Category:Champions]] 642bb61ff9fd54b9b479da43fd74e462be96e8f2 486 482 2023-07-29T09:50:41Z Subaluwa 2 wikitext text/x-wiki [[File:Papa roach.png|thumb]] '''Papa Roach''' was the champion of [[Ralphie Host|Bullet Hell 3]] until he was slain by The Seeker. ==Tournament standings== In the [[old universe]], Papa Roach was in WC Tournament 7 as part of Team Darkstalkers, along with Shooty Spider and Shadowmister Jr. He was one of the few survivors to enter the new universe. Papa Roach later entered Bullet Hell 3 and champed, defeating Juanhell. He beat the superboss Cuuzaat to gain the artifact The Wrist of Saa, but failed to hide from The Seeker. ==Information== [[File:Seeker and papa roach.png|thumb|Top 10 Pictures Taken Moments Before Disaster]] After acquiring the Wrist of Saa, Papa Roach tried to hide from The Seeker in a cave behind some rocks, but he was unfortunately pulped by 99 muscle worth of muscle. He is now canonically dead for real. [[Category:Vermin]] [[Category:Champions]] [[Category:Deceased]] a84d40b94a4663733be3907e80efde8af259c8ef Category:Deceased 14 198 484 2023-07-29T09:49:40Z Subaluwa 2 Created page with "These vermin have died in lore. They may or may not return as a skeleton, a zombie, or a Punished Snake reference." wikitext text/x-wiki These vermin have died in lore. They may or may not return as a skeleton, a zombie, or a Punished Snake reference. 33440cdd3fc0458683a13f57c3427779cfd47902 VEK Host 0 12 485 23 2023-07-29T09:50:05Z Subaluwa 2 wikitext text/x-wiki [[File:Vek host.jpg|thumb]] '''VEK Host''' is some asshole who destroyed the old universe. He isn't relevant in the new universe, except as a target of [[Blue Sky]]'s unrequited kismesissitude. For the old universe lore, see [https://vermin.fandom.com/wiki/VEK_Host the /v/ermin wiki]. [[Category:Hosts]] [[Category:Deceased]] a9809a2fca9e203904da6086a57139f3c7fe9215 File:Blue Sky.png 6 199 488 2023-08-04T00:03:15Z Bargo 12 wikitext text/x-wiki Blue Sky's default appearance. c97249fe1998a533fcb63bdfb16a61370b033bdb File:Blue Sky Blorf.png 6 200 489 2023-08-04T00:40:51Z Bargo 12 wikitext text/x-wiki Blue Sky outside of his suit. 05dbc0ebca27468cf2637b804752d04831747413 File:Blue Sky Host.png 6 201 490 2023-08-04T00:41:23Z Bargo 12 wikitext text/x-wiki Blue Sky in white robes 0fb0c99ee0616e9f831a0672a9a73a0d210a42fd File:Smokeman.png 6 202 491 2023-08-04T00:42:00Z Bargo 12 wikitext text/x-wiki Proto Blue Sky design. 750d0ceed9ffee1baf5c5f1a55b243c6c0190fa4 Blue Sky 0 182 492 439 2023-08-04T00:42:19Z Bargo 12 wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. In the new universe, the original [[Starters]] were pop culture icons and known to many vermin after the arrival of vermin from the old timeline. Blue Sky had become caught up in his comparisons to his older self, and so he hid his face and constructed a mechanical suit to hide his identity. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. At the end of Big "Tournament" Smells II, he abducted Big "Host" Smells, leaving behind a monster called The Handiwork to buy time. While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as [[Coin Host]] accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. == Trivia == * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == [[File:Bluesky fail.png|thumb]] [[File:Blue Sky Blorf.png|thumb|Blue Sky outside of his suit.]] [[File:Blue Sky Host.png|thumb|Blue Sky in his alternate white robes after he absorbed the host's powers.]] [[File:Smokeman.png|thumb|Blue Sky's prototype design.]] 7d6e9463bbe1769ce7b247439112fbee7ba2e52c 493 492 2023-08-04T00:42:39Z Bargo 12 wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. In the new universe, the original [[Starters]] were pop culture icons and known to many vermin after the arrival of vermin from the old timeline. Blue Sky had become caught up in his comparisons to his older self, and so he hid his face and constructed a mechanical suit to hide his identity. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. At the end of Big "Tournament" Smells II, he abducted Big "Host" Smells, leaving behind a monster called The Handiwork to buy time. While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as [[Coin Host]] accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. == Trivia == * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == [[File:Bluesky fail.png|thumb]] [[File:Blue Sky Blorf.png|thumb|Blue Sky outside of his suit.]] [[File:Blue Sky Host.png|thumb|Blue Sky in his alternate white robes after he absorbed the host's powers.]] [[File:Smokeman.png|thumb|Blue Sky's prototype design.]] 29a182b0ffcdf6a1d8c708b75cc0e0452bc05c82 494 493 2023-08-04T00:46:50Z Bargo 12 /* Lore */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. At the end of Big "Tournament" Smells II, he abducted Big "Host" Smells, leaving behind a monster called The Handiwork to buy time. While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as [[Coin Host]] accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. == Trivia == * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == [[File:Bluesky fail.png|thumb]] [[File:Blue Sky Blorf.png|thumb|Blue Sky outside of his suit.]] [[File:Blue Sky Host.png|thumb|Blue Sky in his alternate white robes after he absorbed the host's powers.]] [[File:Smokeman.png|thumb|Blue Sky's prototype design.]] 58df5f555e9896877a023fed9aecedacf16dfd6b 502 494 2023-08-04T00:54:22Z STRONGETS HOST OGRO 6 /* Gallery */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. At the end of Big "Tournament" Smells II, he abducted Big "Host" Smells, leaving behind a monster called The Handiwork to buy time. While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as [[Coin Host]] accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. == Trivia == * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == [[File:Bluesky fail.png|frame|left]] [[File:Blue Sky Blorf.png|frame|Blue Sky outside of his suit.|right]] [[File:Blue Sky Host.png|frame|Blue Sky in his alternate white robes after he absorbed the host's powers.|right]] [[File:Smokeman.png|frame|Blue Sky's prototype design.|left]] 9af556b1c3b460a386cbd79f68d5173d05ee6755 533 502 2023-08-04T01:16:52Z Subaluwa 2 /* Gallery */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. At the end of Big "Tournament" Smells II, he abducted Big "Host" Smells, leaving behind a monster called The Handiwork to buy time. While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, though this encounter was short-lived as [[Coin Host]] accidentally hooked him on his fishing line and pulled him away, presumably out of this universe. == Trivia == * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == <gallery> Bluesky fail.png Blue Sky Blorf.png|Blue Sky outside of his suit. Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. Smokeman.png|Blue Sky's prototype design. </gallery> cdc43e73938a1efa98c91b9cbb6762f31025ec34 Virulent Balls 0 128 495 363 2023-08-04T00:50:24Z Bargo 12 wikitext text/x-wiki [[File:Virulent.gif|thumb]] The Virulent Balls are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] 6bb5b924fe5a971cd689ded9ce3509de289c765e 499 495 2023-08-04T00:53:36Z Bargo 12 wikitext text/x-wiki [[File:Virulent.gif|thumb]] The Virulent Balls are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. Any vermin who kills these bad boys is in the lovvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] [[File:Smiley.png|thumb|>:]]] [[File:Frowny.png|thumb|>:E]] [[File:Virulent balls.png|thumb|The Virulent Balls' original stat sheet.]] fb9cc44ff14e7bdc6581eaf99794405fe5964ee4 500 499 2023-08-04T00:53:47Z Bargo 12 wikitext text/x-wiki [[File:Virulent.gif|thumb]] The Virulent Balls are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. Any vermin who kills these bad boys is in the lovvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] [[File:Smiley.png|thumb|>:]]] [[File:Frowny.png|thumb|>:E]] [[File:Virulent balls.png|thumb|The Virulent Balls' original stat sheet.]] 9ba51684ee202831f13456c5ddf450015d03dcb0 501 500 2023-08-04T00:53:59Z Bargo 12 wikitext text/x-wiki [[File:Virulent.gif|thumb]] The Virulent Balls are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. Any vermin who kills these bad boys is in the lovvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] [[File:Smiley.png|thumb|>:]]] [[File:Frowny.png|thumb|>:E]] [[File:Virulent balls.png|thumb|The Virulent Balls' original stat sheet.]] 40ef2bbd640860b1e419af63b5f7f441c07fc0ae 503 501 2023-08-04T00:54:52Z Bargo 12 /* Information */ wikitext text/x-wiki [[File:Virulent.gif|thumb]] The Virulent Balls are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. Any vermin who kills these bad boys is in the lovvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings == Gallery == [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] [[File:Smiley.png|thumb|>:)]] [[File:Frowny.png|thumb|>:E]] [[File:Virulent balls.png|thumb|The Virulent Balls' original stat sheet.]] 6d1d7c211985a408d3208e5b9a43faa931cf5810 534 503 2023-08-04T01:27:08Z Subaluwa 2 wikitext text/x-wiki [[File:Virulent.gif|thumb]] The '''Virulent Balls''' are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. Any vermin who kills these bad boys is in the lovvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings == Gallery == [[File:Virulent murdersuicide.gif|thumb|left|WARNING: GORE]] [[File:Smiley.png|thumb|>:)]] [[File:Frowny.png|thumb|>:E]] [[File:Virulent balls.png|thumb|The Virulent Balls' original stat sheet.]] 44889a7820c7fa630fd5ec279ce1c9b999f77feb 535 534 2023-08-04T01:28:31Z Subaluwa 2 wikitext text/x-wiki [[File:Virulent.gif|thumb]] The '''Virulent Balls''' are mysterious interdimensional beings who mostly just do stuff for laffs. In the old universe, they became the hosts of tournaments in the Minecraft Dimension, using the tournaments to achieve some mysterious goal. After the old timeline ended, they migrated to the new universe, taking on a more passive role as spectators. Any vermin who kills these bad boys is in the lovvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvvv. ==Information== >Hosts bow to Virulent Balls >In contact with [Planet] People >Possess shitposter-like abilities >Control France with an iron but fair fist >Own castles & banks globally >Will bankroll the first cities on Mars (Virulentown will be be the first city) >Direct descendants of the ancient royal blood lines >Can save entire timelines with a single phone call >Own 99% of DNA editing research facilities in Yas Blamgeles >First designer vermin will in all likelihood be Virulent vermin >Both brothers said to have 215+ IQ, such intelligence has only existed deep in eeeeeeeeeeeeeeee monasteries & Area 42069 >The Tunguska event in 1908 was actually the Virulent Balls' arriving in this timeline. How else do you think they got their names and how else do you explain the exponential acceleration in technological and scientific development since then? >They own Nanoball R&D labs around the world >You likely have balls inside you right now >The Virulent Balls are in regular communication with the Seven Sins and Masquerabbit, forwarding the will of B to the church. Who do you think set up the meeting between Father Hive & the Orthodox high command (First meeting between the two organisations in over 1000 years) and arranged the Orthodox leader’s first trip to the Divided Kingdoms in history literally a few days later to the Virulent bunker in Atlantpus? >They learned fluent French in under a week >Invented post-anabelian froeboid geometrics, a complex field of mathematics which only they can comprehend fully >Nation states entrust their gold reserves with the twins. There’s no gold in Ft. Kox, only Ft. Virulent >All major philosophers and scientists have made reference to them in one way or another >The twins are about 7 decades old, from the space-time reference point of the base vermin currently accepted by our society >In reality, they are timeless beings existing in all points of time and space from the big bang to the end of the universe. We don’t know their ultimate plans yet. We hope they’re benevolent beings == Gallery == <gallery> Virulent murdersuicide.gif|WARNING: GORE Smiley.png|>:) Frowny.png|>:Σ Virulent balls.png|thumb|The Virulent Balls' original stat sheet. </gallery> c887405b1894ef614ddc821c149586fc4fbd66b7 File:Smiley.png 6 203 496 2023-08-04T00:51:10Z Bargo 12 wikitext text/x-wiki >:] df441089da10a2203ea88eeb136a6a84df0481f3 File:Frowny.png 6 204 497 2023-08-04T00:51:43Z Bargo 12 wikitext text/x-wiki >:E d7af2329a19f718b506c0a7a2b394ddc464e00d3 File:Virulent balls.png 6 205 498 2023-08-04T00:53:05Z Bargo 12 wikitext text/x-wiki stat sheet of virulent balls a74d803a4bbb468bdcf8cfa7167cbd9ba8e5edc2 Main Page 0 1 504 452 2023-08-04T00:55:19Z Bargo 12 /* Big "Tournaments" Smell */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] * [[King GruBLAM!]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] b3ff01df83a553f69a36f1cd01428e28dcd92a89 Template:Vermin 10 206 505 2023-08-04T00:56:26Z Subaluwa 2 Created page with "<infobox> <title source="title1"> <default>{{PAGENAME}}</default> </title> <image source="image1"> <caption source="caption1"/> </image> <data source="tournaments"> <label>Tournaments</label> </data> <group collapse="open"> <header>Stats</header> <data source="lifes"> <label>Lifes</label> </data> <data source="muscle"> <label>Muscle</label> </data> <data source="blast"> <label>Blast</label> </data>..." wikitext text/x-wiki <infobox> <title source="title1"> <default>{{PAGENAME}}</default> </title> <image source="image1"> <caption source="caption1"/> </image> <data source="tournaments"> <label>Tournaments</label> </data> <group collapse="open"> <header>Stats</header> <data source="lifes"> <label>Lifes</label> </data> <data source="muscle"> <label>Muscle</label> </data> <data source="blast"> <label>Blast</label> </data> <data source="guard"> <label>Guard</label> </data> <data source="fast"> <label>Fast</label> </data> <data source="ability"> <label>Ability</label> </data> </group> </infobox> <noinclude> Example usage:<pre> {{Vermin |title1=Example |image1=Example |caption1=Example |tournaments=Example |lifes=Example |muscle=Example |blast=Example |guard=Example |fast=Example |ability=Example }} </pre> </noinclude> b97776f99ef87f2df01e88489a4c64ca3d3de95a 531 505 2023-08-04T01:15:01Z Subaluwa 2 wikitext text/x-wiki {{Infobox | name = Vermin | title = Text in caption over infobox | subheader = Subheader of the infobox | header = (the rest of the infobox goes here) }} 284bf65fc4675a747a4d31ef61e860d099c60851 532 531 2023-08-04T01:16:14Z Subaluwa 2 wikitext text/x-wiki {{Infobox |name = Vermin |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = Test Infobox |above = Above text |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:Bluesky fail.png|200px|alt=Example alt text]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} 1c6a21072e3cc3ae789da2e67464a7b1c4ecfa6d 536 532 2023-08-04T01:33:52Z Subaluwa 2 wikitext text/x-wiki {{Infobox |name = Vermin |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = |above = {{{name|{{PAGENAME}}}}} |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:Bluesky fail.png|200px|alt=Example alt text]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} 1f7e759e3cbb95d2b80c258b0383e0a7a3172ae2 537 536 2023-08-04T01:47:06Z Subaluwa 2 wikitext text/x-wiki {{Infobox |name = Vermin |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = |above = {{{name|{{PAGENAME}}}}} |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:{{{image|Bluesky fail.png|200px}}}]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} 81eafd7c2b451d168ed7318d5793453335382bd2 538 537 2023-08-04T01:49:04Z Subaluwa 2 wikitext text/x-wiki {{Infobox |name = Vermin |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = |above = {{{name|{{PAGENAME}}}}} |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:{{{image|Bluesky fail.png}}}|{{{imagesize|200px}}]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} 5dd28ada26fc73ca13af27a09d4465be52cda90a 539 538 2023-08-04T01:49:55Z Subaluwa 2 wikitext text/x-wiki {{Infobox |name = Vermin |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = |above = {{{name|{{PAGENAME}}}}} |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:{{{image|Bluesky fail.png}}}|{{{imagesize|200px}}}]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} 6790ef13ce7e8e9ef32e0c5bb3a28033fa035781 Module:Infobox 828 207 506 2023-08-04T00:59:18Z Subaluwa 2 Created page with "-- -- This module implements {{Infobox}} -- local p = {} local args = {} local origArgs = {} local root local function notempty( s ) return s and s:match( '%S' ) end local function fixChildBoxes(sval, tt) if notempty(sval) then local marker = '<span class=special_infobox_marker>' local s = sval s = mw.ustring.gsub(s, '(<%s*[Tt][Rr])', marker .. '%1') s = mw.ustring.gsub(s, '(</[Tt][Rr]%s*>)', '%1' .. marker) if s:match(marker) then s = mw.ustring.gsub(s..." Scribunto text/plain -- -- This module implements {{Infobox}} -- local p = {} local args = {} local origArgs = {} local root local function notempty( s ) return s and s:match( '%S' ) end local function fixChildBoxes(sval, tt) if notempty(sval) then local marker = '<span class=special_infobox_marker>' local s = sval s = mw.ustring.gsub(s, '(<%s*[Tt][Rr])', marker .. '%1') s = mw.ustring.gsub(s, '(</[Tt][Rr]%s*>)', '%1' .. marker) if s:match(marker) then s = mw.ustring.gsub(s, marker .. '%s*' .. marker, '') s = mw.ustring.gsub(s, '([\r\n]|-[^\r\n]*[\r\n])%s*' .. marker, '%1') s = mw.ustring.gsub(s, marker .. '%s*([\r\n]|-)', '%1') s = mw.ustring.gsub(s, '(</[Cc][Aa][Pp][Tt][Ii][Oo][Nn]%s*>%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '(<%s*[Tt][Aa][Bb][Ll][Ee][^<>]*>%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '^(%{|[^\r\n]*[\r\n]%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '([\r\n]%{|[^\r\n]*[\r\n]%s*)' .. marker, '%1') s = mw.ustring.gsub(s, marker .. '(%s*</[Tt][Aa][Bb][Ll][Ee]%s*>)', '%1') s = mw.ustring.gsub(s, marker .. '(%s*\n|%})', '%1') end if s:match(marker) then local subcells = mw.text.split(s, marker) s = '' for k = 1, #subcells do if k == 1 then s = s .. subcells[k] .. '</' .. tt .. '></tr>' elseif k == #subcells then local rowstyle = ' style="display:none"' if notempty(subcells[k]) then rowstyle = '' end s = s .. '<tr' .. rowstyle ..'><' .. tt .. ' colspan=2>\n' .. subcells[k] elseif notempty(subcells[k]) then if (k % 2) == 0 then s = s .. subcells[k] else s = s .. '<tr><' .. tt .. ' colspan=2>\n' .. subcells[k] .. '</' .. tt .. '></tr>' end end end end -- the next two lines add a newline at the end of lists for the PHP parser -- https://en.wikipedia.org/w/index.php?title=Template_talk:Infobox_musical_artist&oldid=849054481 -- remove when [[:phab:T191516]] is fixed or OBE s = mw.ustring.gsub(s, '([\r\n][%*#;:][^\r\n]*)$', '%1\n') s = mw.ustring.gsub(s, '^([%*#;:][^\r\n]*)$', '%1\n') s = mw.ustring.gsub(s, '^([%*#;:])', '\n%1') s = mw.ustring.gsub(s, '^(%{%|)', '\n%1') return s else return sval end end local function union(t1, t2) -- Returns the union of the values of two tables, as a sequence. local vals = {} for k, v in pairs(t1) do vals[v] = true end for k, v in pairs(t2) do vals[v] = true end local ret = {} for k, v in pairs(vals) do table.insert(ret, k) end return ret end local function getArgNums(prefix) -- Returns a table containing the numbers of the arguments that exist -- for the specified prefix. For example, if the prefix was 'data', and -- 'data1', 'data2', and 'data5' exist, it would return {1, 2, 5}. local nums = {} for k, v in pairs(args) do local num = tostring(k):match('^' .. prefix .. '([1-9]%d*)$') if num then table.insert(nums, tonumber(num)) end end table.sort(nums) return nums end local function addRow(rowArgs) -- Adds a row to the infobox, with either a header cell -- or a label/data cell combination. if rowArgs.header and rowArgs.header ~= '_BLANK_' then root :tag('tr') :addClass(rowArgs.rowclass) :cssText(rowArgs.rowstyle) :attr('id', rowArgs.rowid) :tag('th') :attr('colspan', 2) :attr('id', rowArgs.headerid) :addClass(rowArgs.class) :addClass(args.headerclass) :css('text-align', 'center') :cssText(args.headerstyle) :cssText(rowArgs.rowcellstyle) :wikitext(fixChildBoxes(rowArgs.header, 'th')) elseif rowArgs.data then if not rowArgs.data:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('^%S') then rowArgs.rowstyle = 'display:none' end local row = root:tag('tr') row:addClass(rowArgs.rowclass) row:cssText(rowArgs.rowstyle) row:attr('id', rowArgs.rowid) if rowArgs.label then row :tag('th') :attr('scope', 'row') :attr('id', rowArgs.labelid) :cssText(args.labelstyle) :cssText(rowArgs.rowcellstyle) :wikitext(rowArgs.label) :done() end local dataCell = row:tag('td') if not rowArgs.label then dataCell :attr('colspan', 2) :css('text-align', 'center') end dataCell :attr('id', rowArgs.dataid) :addClass(rowArgs.class) :cssText(rowArgs.datastyle) :cssText(rowArgs.rowcellstyle) :wikitext(fixChildBoxes(rowArgs.data, 'td')) end end local function renderTitle() if not args.title then return end root :tag('caption') :addClass(args.titleclass) :cssText(args.titlestyle) :wikitext(args.title) end local function renderAboveRow() if not args.above then return end root :tag('tr') :tag('th') :attr('colspan', 2) :addClass(args.aboveclass) :css('text-align', 'center') :css('font-size', '125%') :css('font-weight', 'bold') :cssText(args.abovestyle) :wikitext(fixChildBoxes(args.above,'th')) end local function renderBelowRow() if not args.below then return end root :tag('tr') :tag('td') :attr('colspan', '2') :addClass(args.belowclass) :css('text-align', 'center') :cssText(args.belowstyle) :wikitext(fixChildBoxes(args.below,'td')) end local function renderSubheaders() if args.subheader then args.subheader1 = args.subheader end if args.subheaderrowclass then args.subheaderrowclass1 = args.subheaderrowclass end local subheadernums = getArgNums('subheader') for k, num in ipairs(subheadernums) do addRow({ data = args['subheader' .. tostring(num)], datastyle = args.subheaderstyle, rowcellstyle = args['subheaderstyle' .. tostring(num)], class = args.subheaderclass, rowclass = args['subheaderrowclass' .. tostring(num)] }) end end local function renderImages() if args.image then args.image1 = args.image end if args.caption then args.caption1 = args.caption end local imagenums = getArgNums('image') for k, num in ipairs(imagenums) do local caption = args['caption' .. tostring(num)] local data = mw.html.create():wikitext(args['image' .. tostring(num)]) if caption then data :tag('div') :cssText(args.captionstyle) :wikitext(caption) end addRow({ data = tostring(data), datastyle = args.imagestyle, class = args.imageclass, rowclass = args['imagerowclass' .. tostring(num)] }) end end local function preprocessRows() -- Gets the union of the header and data argument numbers, -- and renders them all in order using addRow. local rownums = union(getArgNums('header'), getArgNums('data')) table.sort(rownums) local lastheader for k, num in ipairs(rownums) do if args['header' .. tostring(num)] then if lastheader then args['header' .. tostring(lastheader)] = nil end lastheader = num elseif args['data' .. tostring(num)] and args['data' .. tostring(num)]:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('^%S') then local data = args['data' .. tostring(num)] if data:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('%S') then lastheader = nil end end end if lastheader then args['header' .. tostring(lastheader)] = nil end end local function renderRows() -- Gets the union of the header and data argument numbers, -- and renders them all in order using addRow. local rownums = union(getArgNums('header'), getArgNums('data')) table.sort(rownums) for k, num in ipairs(rownums) do addRow({ header = args['header' .. tostring(num)], label = args['label' .. tostring(num)], data = args['data' .. tostring(num)], datastyle = args.datastyle, class = args['class' .. tostring(num)], rowclass = args['rowclass' .. tostring(num)], rowstyle = args['rowstyle' .. tostring(num)], rowcellstyle = args['rowcellstyle' .. tostring(num)], dataid = args['dataid' .. tostring(num)], labelid = args['labelid' .. tostring(num)], headerid = args['headerid' .. tostring(num)], rowid = args['rowid' .. tostring(num)] }) end end local function renderItalicTitle() local italicTitle = args['italic title'] and mw.ustring.lower(args['italic title']) if italicTitle == '' or italicTitle == 'force' or italicTitle == 'yes' then root:wikitext(mw.getCurrentFrame():expandTemplate({title = 'italic title'})) end end local function _infobox() -- Specify the overall layout of the infobox, with special settings -- if the infobox is used as a 'child' inside another infobox. if args.child ~= 'yes' then root = mw.html.create('table') root :addClass((args.subbox ~= 'yes') and 'infobox' or nil) :addClass(args.bodyclass) if args.subbox == 'yes' then root :css('padding', '0') :css('border', 'none') :css('margin', '-3px') :css('width', 'auto') :css('min-width', '100%') :css('font-size', '100%') :css('clear', 'none') :css('float', 'none') :css('background-color', 'transparent') else root :css('width', '22em') end root :cssText(args.bodystyle) renderTitle() renderAboveRow() else root = mw.html.create() root :wikitext(args.title) end renderSubheaders() renderImages() if args.autoheaders then preprocessRows() end renderRows() renderBelowRow() renderItalicTitle() return tostring(root) end local function preprocessSingleArg(argName) -- If the argument exists and isn't blank, add it to the argument table. -- Blank arguments are treated as nil to match the behaviour of ParserFunctions. if origArgs[argName] and origArgs[argName] ~= '' then args[argName] = origArgs[argName] end end local function preprocessArgs(prefixTable, step) -- Assign the parameters with the given prefixes to the args table, in order, in batches -- of the step size specified. This is to prevent references etc. from appearing in the -- wrong order. The prefixTable should be an array containing tables, each of which has -- two possible fields, a "prefix" string and a "depend" table. The function always parses -- parameters containing the "prefix" string, but only parses parameters in the "depend" -- table if the prefix parameter is present and non-blank. if type(prefixTable) ~= 'table' then error("Non-table value detected for the prefix table", 2) end if type(step) ~= 'number' then error("Invalid step value detected", 2) end -- Get arguments without a number suffix, and check for bad input. for i,v in ipairs(prefixTable) do if type(v) ~= 'table' or type(v.prefix) ~= "string" or (v.depend and type(v.depend) ~= 'table') then error('Invalid input detected to preprocessArgs prefix table', 2) end preprocessSingleArg(v.prefix) -- Only parse the depend parameter if the prefix parameter is present and not blank. if args[v.prefix] and v.depend then for j, dependValue in ipairs(v.depend) do if type(dependValue) ~= 'string' then error('Invalid "depend" parameter value detected in preprocessArgs') end preprocessSingleArg(dependValue) end end end -- Get arguments with number suffixes. local a = 1 -- Counter variable. local moreArgumentsExist = true while moreArgumentsExist == true do moreArgumentsExist = false for i = a, a + step - 1 do for j,v in ipairs(prefixTable) do local prefixArgName = v.prefix .. tostring(i) if origArgs[prefixArgName] then moreArgumentsExist = true -- Do another loop if any arguments are found, even blank ones. preprocessSingleArg(prefixArgName) end -- Process the depend table if the prefix argument is present and not blank, or -- we are processing "prefix1" and "prefix" is present and not blank, and -- if the depend table is present. if v.depend and (args[prefixArgName] or (i == 1 and args[v.prefix])) then for j,dependValue in ipairs(v.depend) do local dependArgName = dependValue .. tostring(i) preprocessSingleArg(dependArgName) end end end end a = a + step end end local function parseDataParameters() -- Parse the data parameters in the same order that the old {{infobox}} did, so that -- references etc. will display in the expected places. Parameters that depend on -- another parameter are only processed if that parameter is present, to avoid -- phantom references appearing in article reference lists. preprocessSingleArg('autoheaders') preprocessSingleArg('child') preprocessSingleArg('bodyclass') preprocessSingleArg('subbox') preprocessSingleArg('bodystyle') preprocessSingleArg('title') preprocessSingleArg('titleclass') preprocessSingleArg('titlestyle') preprocessSingleArg('above') preprocessSingleArg('aboveclass') preprocessSingleArg('abovestyle') preprocessArgs({ {prefix = 'subheader', depend = {'subheaderstyle', 'subheaderrowclass'}} }, 10) preprocessSingleArg('subheaderstyle') preprocessSingleArg('subheaderclass') preprocessArgs({ {prefix = 'image', depend = {'caption', 'imagerowclass'}} }, 10) preprocessSingleArg('captionstyle') preprocessSingleArg('imagestyle') preprocessSingleArg('imageclass') preprocessArgs({ {prefix = 'header'}, {prefix = 'data', depend = {'label'}}, {prefix = 'rowclass'}, {prefix = 'rowstyle'}, {prefix = 'rowcellstyle'}, {prefix = 'class'}, {prefix = 'dataid'}, {prefix = 'labelid'}, {prefix = 'headerid'}, {prefix = 'rowid'} }, 50) preprocessSingleArg('headerclass') preprocessSingleArg('headerstyle') preprocessSingleArg('labelstyle') preprocessSingleArg('datastyle') preprocessSingleArg('below') preprocessSingleArg('belowclass') preprocessSingleArg('belowstyle') preprocessSingleArg('name') args['italic title'] = origArgs['italic title'] -- different behaviour if blank or absent preprocessSingleArg('decat') end function p.infobox(frame) -- If called via #invoke, use the args passed into the invoking template. -- Otherwise, for testing purposes, assume args are being passed directly in. if frame == mw.getCurrentFrame() then origArgs = frame:getParent().args else origArgs = frame end parseDataParameters() return _infobox() end function p.infoboxTemplate(frame) -- For calling via #invoke within a template origArgs = {} for k,v in pairs(frame.args) do origArgs[k] = mw.text.trim(v) end parseDataParameters() return _infobox() end return p c6ac51f9e2faf9c2f3aba1fb8c05af98db47f4d4 528 506 2023-08-04T01:13:35Z Subaluwa 2 1 revision imported Scribunto text/plain -- -- This module implements {{Infobox}} -- local p = {} local args = {} local origArgs = {} local root local function notempty( s ) return s and s:match( '%S' ) end local function fixChildBoxes(sval, tt) if notempty(sval) then local marker = '<span class=special_infobox_marker>' local s = sval s = mw.ustring.gsub(s, '(<%s*[Tt][Rr])', marker .. '%1') s = mw.ustring.gsub(s, '(</[Tt][Rr]%s*>)', '%1' .. marker) if s:match(marker) then s = mw.ustring.gsub(s, marker .. '%s*' .. marker, '') s = mw.ustring.gsub(s, '([\r\n]|-[^\r\n]*[\r\n])%s*' .. marker, '%1') s = mw.ustring.gsub(s, marker .. '%s*([\r\n]|-)', '%1') s = mw.ustring.gsub(s, '(</[Cc][Aa][Pp][Tt][Ii][Oo][Nn]%s*>%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '(<%s*[Tt][Aa][Bb][Ll][Ee][^<>]*>%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '^(%{|[^\r\n]*[\r\n]%s*)' .. marker, '%1') s = mw.ustring.gsub(s, '([\r\n]%{|[^\r\n]*[\r\n]%s*)' .. marker, '%1') s = mw.ustring.gsub(s, marker .. '(%s*</[Tt][Aa][Bb][Ll][Ee]%s*>)', '%1') s = mw.ustring.gsub(s, marker .. '(%s*\n|%})', '%1') end if s:match(marker) then local subcells = mw.text.split(s, marker) s = '' for k = 1, #subcells do if k == 1 then s = s .. subcells[k] .. '</' .. tt .. '></tr>' elseif k == #subcells then local rowstyle = ' style="display:none"' if notempty(subcells[k]) then rowstyle = '' end s = s .. '<tr' .. rowstyle ..'><' .. tt .. ' colspan=2>\n' .. subcells[k] elseif notempty(subcells[k]) then if (k % 2) == 0 then s = s .. subcells[k] else s = s .. '<tr><' .. tt .. ' colspan=2>\n' .. subcells[k] .. '</' .. tt .. '></tr>' end end end end -- the next two lines add a newline at the end of lists for the PHP parser -- https://en.wikipedia.org/w/index.php?title=Template_talk:Infobox_musical_artist&oldid=849054481 -- remove when [[:phab:T191516]] is fixed or OBE s = mw.ustring.gsub(s, '([\r\n][%*#;:][^\r\n]*)$', '%1\n') s = mw.ustring.gsub(s, '^([%*#;:][^\r\n]*)$', '%1\n') s = mw.ustring.gsub(s, '^([%*#;:])', '\n%1') s = mw.ustring.gsub(s, '^(%{%|)', '\n%1') return s else return sval end end local function union(t1, t2) -- Returns the union of the values of two tables, as a sequence. local vals = {} for k, v in pairs(t1) do vals[v] = true end for k, v in pairs(t2) do vals[v] = true end local ret = {} for k, v in pairs(vals) do table.insert(ret, k) end return ret end local function getArgNums(prefix) -- Returns a table containing the numbers of the arguments that exist -- for the specified prefix. For example, if the prefix was 'data', and -- 'data1', 'data2', and 'data5' exist, it would return {1, 2, 5}. local nums = {} for k, v in pairs(args) do local num = tostring(k):match('^' .. prefix .. '([1-9]%d*)$') if num then table.insert(nums, tonumber(num)) end end table.sort(nums) return nums end local function addRow(rowArgs) -- Adds a row to the infobox, with either a header cell -- or a label/data cell combination. if rowArgs.header and rowArgs.header ~= '_BLANK_' then root :tag('tr') :addClass(rowArgs.rowclass) :cssText(rowArgs.rowstyle) :attr('id', rowArgs.rowid) :tag('th') :attr('colspan', 2) :attr('id', rowArgs.headerid) :addClass(rowArgs.class) :addClass(args.headerclass) :css('text-align', 'center') :cssText(args.headerstyle) :cssText(rowArgs.rowcellstyle) :wikitext(fixChildBoxes(rowArgs.header, 'th')) elseif rowArgs.data then if not rowArgs.data:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('^%S') then rowArgs.rowstyle = 'display:none' end local row = root:tag('tr') row:addClass(rowArgs.rowclass) row:cssText(rowArgs.rowstyle) row:attr('id', rowArgs.rowid) if rowArgs.label then row :tag('th') :attr('scope', 'row') :attr('id', rowArgs.labelid) :cssText(args.labelstyle) :cssText(rowArgs.rowcellstyle) :wikitext(rowArgs.label) :done() end local dataCell = row:tag('td') if not rowArgs.label then dataCell :attr('colspan', 2) :css('text-align', 'center') end dataCell :attr('id', rowArgs.dataid) :addClass(rowArgs.class) :cssText(rowArgs.datastyle) :cssText(rowArgs.rowcellstyle) :wikitext(fixChildBoxes(rowArgs.data, 'td')) end end local function renderTitle() if not args.title then return end root :tag('caption') :addClass(args.titleclass) :cssText(args.titlestyle) :wikitext(args.title) end local function renderAboveRow() if not args.above then return end root :tag('tr') :tag('th') :attr('colspan', 2) :addClass(args.aboveclass) :css('text-align', 'center') :css('font-size', '125%') :css('font-weight', 'bold') :cssText(args.abovestyle) :wikitext(fixChildBoxes(args.above,'th')) end local function renderBelowRow() if not args.below then return end root :tag('tr') :tag('td') :attr('colspan', '2') :addClass(args.belowclass) :css('text-align', 'center') :cssText(args.belowstyle) :wikitext(fixChildBoxes(args.below,'td')) end local function renderSubheaders() if args.subheader then args.subheader1 = args.subheader end if args.subheaderrowclass then args.subheaderrowclass1 = args.subheaderrowclass end local subheadernums = getArgNums('subheader') for k, num in ipairs(subheadernums) do addRow({ data = args['subheader' .. tostring(num)], datastyle = args.subheaderstyle, rowcellstyle = args['subheaderstyle' .. tostring(num)], class = args.subheaderclass, rowclass = args['subheaderrowclass' .. tostring(num)] }) end end local function renderImages() if args.image then args.image1 = args.image end if args.caption then args.caption1 = args.caption end local imagenums = getArgNums('image') for k, num in ipairs(imagenums) do local caption = args['caption' .. tostring(num)] local data = mw.html.create():wikitext(args['image' .. tostring(num)]) if caption then data :tag('div') :cssText(args.captionstyle) :wikitext(caption) end addRow({ data = tostring(data), datastyle = args.imagestyle, class = args.imageclass, rowclass = args['imagerowclass' .. tostring(num)] }) end end local function preprocessRows() -- Gets the union of the header and data argument numbers, -- and renders them all in order using addRow. local rownums = union(getArgNums('header'), getArgNums('data')) table.sort(rownums) local lastheader for k, num in ipairs(rownums) do if args['header' .. tostring(num)] then if lastheader then args['header' .. tostring(lastheader)] = nil end lastheader = num elseif args['data' .. tostring(num)] and args['data' .. tostring(num)]:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('^%S') then local data = args['data' .. tostring(num)] if data:gsub('%[%[%s*[Cc][Aa][Tt][Ee][Gg][Oo][Rr][Yy]%s*:[^]]*]]', ''):match('%S') then lastheader = nil end end end if lastheader then args['header' .. tostring(lastheader)] = nil end end local function renderRows() -- Gets the union of the header and data argument numbers, -- and renders them all in order using addRow. local rownums = union(getArgNums('header'), getArgNums('data')) table.sort(rownums) for k, num in ipairs(rownums) do addRow({ header = args['header' .. tostring(num)], label = args['label' .. tostring(num)], data = args['data' .. tostring(num)], datastyle = args.datastyle, class = args['class' .. tostring(num)], rowclass = args['rowclass' .. tostring(num)], rowstyle = args['rowstyle' .. tostring(num)], rowcellstyle = args['rowcellstyle' .. tostring(num)], dataid = args['dataid' .. tostring(num)], labelid = args['labelid' .. tostring(num)], headerid = args['headerid' .. tostring(num)], rowid = args['rowid' .. tostring(num)] }) end end local function renderItalicTitle() local italicTitle = args['italic title'] and mw.ustring.lower(args['italic title']) if italicTitle == '' or italicTitle == 'force' or italicTitle == 'yes' then root:wikitext(mw.getCurrentFrame():expandTemplate({title = 'italic title'})) end end local function _infobox() -- Specify the overall layout of the infobox, with special settings -- if the infobox is used as a 'child' inside another infobox. if args.child ~= 'yes' then root = mw.html.create('table') root :addClass((args.subbox ~= 'yes') and 'infobox' or nil) :addClass(args.bodyclass) if args.subbox == 'yes' then root :css('padding', '0') :css('border', 'none') :css('margin', '-3px') :css('width', 'auto') :css('min-width', '100%') :css('font-size', '100%') :css('clear', 'none') :css('float', 'none') :css('background-color', 'transparent') else root :css('width', '22em') end root :cssText(args.bodystyle) renderTitle() renderAboveRow() else root = mw.html.create() root :wikitext(args.title) end renderSubheaders() renderImages() if args.autoheaders then preprocessRows() end renderRows() renderBelowRow() renderItalicTitle() return tostring(root) end local function preprocessSingleArg(argName) -- If the argument exists and isn't blank, add it to the argument table. -- Blank arguments are treated as nil to match the behaviour of ParserFunctions. if origArgs[argName] and origArgs[argName] ~= '' then args[argName] = origArgs[argName] end end local function preprocessArgs(prefixTable, step) -- Assign the parameters with the given prefixes to the args table, in order, in batches -- of the step size specified. This is to prevent references etc. from appearing in the -- wrong order. The prefixTable should be an array containing tables, each of which has -- two possible fields, a "prefix" string and a "depend" table. The function always parses -- parameters containing the "prefix" string, but only parses parameters in the "depend" -- table if the prefix parameter is present and non-blank. if type(prefixTable) ~= 'table' then error("Non-table value detected for the prefix table", 2) end if type(step) ~= 'number' then error("Invalid step value detected", 2) end -- Get arguments without a number suffix, and check for bad input. for i,v in ipairs(prefixTable) do if type(v) ~= 'table' or type(v.prefix) ~= "string" or (v.depend and type(v.depend) ~= 'table') then error('Invalid input detected to preprocessArgs prefix table', 2) end preprocessSingleArg(v.prefix) -- Only parse the depend parameter if the prefix parameter is present and not blank. if args[v.prefix] and v.depend then for j, dependValue in ipairs(v.depend) do if type(dependValue) ~= 'string' then error('Invalid "depend" parameter value detected in preprocessArgs') end preprocessSingleArg(dependValue) end end end -- Get arguments with number suffixes. local a = 1 -- Counter variable. local moreArgumentsExist = true while moreArgumentsExist == true do moreArgumentsExist = false for i = a, a + step - 1 do for j,v in ipairs(prefixTable) do local prefixArgName = v.prefix .. tostring(i) if origArgs[prefixArgName] then moreArgumentsExist = true -- Do another loop if any arguments are found, even blank ones. preprocessSingleArg(prefixArgName) end -- Process the depend table if the prefix argument is present and not blank, or -- we are processing "prefix1" and "prefix" is present and not blank, and -- if the depend table is present. if v.depend and (args[prefixArgName] or (i == 1 and args[v.prefix])) then for j,dependValue in ipairs(v.depend) do local dependArgName = dependValue .. tostring(i) preprocessSingleArg(dependArgName) end end end end a = a + step end end local function parseDataParameters() -- Parse the data parameters in the same order that the old {{infobox}} did, so that -- references etc. will display in the expected places. Parameters that depend on -- another parameter are only processed if that parameter is present, to avoid -- phantom references appearing in article reference lists. preprocessSingleArg('autoheaders') preprocessSingleArg('child') preprocessSingleArg('bodyclass') preprocessSingleArg('subbox') preprocessSingleArg('bodystyle') preprocessSingleArg('title') preprocessSingleArg('titleclass') preprocessSingleArg('titlestyle') preprocessSingleArg('above') preprocessSingleArg('aboveclass') preprocessSingleArg('abovestyle') preprocessArgs({ {prefix = 'subheader', depend = {'subheaderstyle', 'subheaderrowclass'}} }, 10) preprocessSingleArg('subheaderstyle') preprocessSingleArg('subheaderclass') preprocessArgs({ {prefix = 'image', depend = {'caption', 'imagerowclass'}} }, 10) preprocessSingleArg('captionstyle') preprocessSingleArg('imagestyle') preprocessSingleArg('imageclass') preprocessArgs({ {prefix = 'header'}, {prefix = 'data', depend = {'label'}}, {prefix = 'rowclass'}, {prefix = 'rowstyle'}, {prefix = 'rowcellstyle'}, {prefix = 'class'}, {prefix = 'dataid'}, {prefix = 'labelid'}, {prefix = 'headerid'}, {prefix = 'rowid'} }, 50) preprocessSingleArg('headerclass') preprocessSingleArg('headerstyle') preprocessSingleArg('labelstyle') preprocessSingleArg('datastyle') preprocessSingleArg('below') preprocessSingleArg('belowclass') preprocessSingleArg('belowstyle') preprocessSingleArg('name') args['italic title'] = origArgs['italic title'] -- different behaviour if blank or absent preprocessSingleArg('decat') end function p.infobox(frame) -- If called via #invoke, use the args passed into the invoking template. -- Otherwise, for testing purposes, assume args are being passed directly in. if frame == mw.getCurrentFrame() then origArgs = frame:getParent().args else origArgs = frame end parseDataParameters() return _infobox() end function p.infoboxTemplate(frame) -- For calling via #invoke within a template origArgs = {} for k,v in pairs(frame.args) do origArgs[k] = mw.text.trim(v) end parseDataParameters() return _infobox() end return p c6ac51f9e2faf9c2f3aba1fb8c05af98db47f4d4 Template:Infobox 10 208 508 507 2023-08-04T01:13:30Z Subaluwa 2 1 revision imported wikitext text/x-wiki {{#invoke:Infobox|infobox}}<noinclude> {{documentation}} </noinclude> 627ee6fcf4d4f108fe054b5c476201cad0ed7717 Template:Documentation 10 209 510 509 2023-08-04T01:13:30Z Subaluwa 2 1 revision imported wikitext text/x-wiki {{#invoke:documentation|main|_content={{ {{#invoke:documentation|contentTitle}}}}}}<noinclude>[[Category:Templates]]</noinclude> 9885bb4fa99bf3d5b960e73606bbb8eed3026877 Template:Documentation subpage 10 210 512 511 2023-08-04T01:13:31Z Subaluwa 2 1 revision imported wikitext text/x-wiki <includeonly><!-- -->{{#ifeq:{{lc:{{SUBPAGENAME}}}} |{{{override|doc}}} | <!--(this template has been transcluded on a /doc or /{{{override}}} page)--> </includeonly><!-- -->{{#ifeq:{{{doc-notice|show}}} |show | {{Mbox | type = notice | style = margin-bottom:1.0em; | image = [[File:Edit-copy green.svg|40px|alt=|link=]] | text = '''This is a documentation subpage''' for '''{{{1|[[:{{SUBJECTSPACE}}:{{BASEPAGENAME}}]]}}}'''.<br/> It contains usage information, [[mw:Help:Categories|categories]] and other content that is not part of the original {{#if:{{{text2|}}} |{{{text2}}} |{{#if:{{{text1|}}} |{{{text1}}} | page}}}}. }} }}<!-- -->{{DEFAULTSORT:{{{defaultsort|{{PAGENAME}}}}}}}<!-- -->{{#if:{{{inhibit|}}} |<!--(don't categorize)--> | <includeonly><!-- -->{{#ifexist:{{NAMESPACE}}:{{BASEPAGENAME}} | [[Category:{{#switch:{{SUBJECTSPACE}} |Template=Template |Module=Module |User=User |#default=Wikipedia}} documentation pages]] | [[Category:Documentation subpages without corresponding pages]] }}<!-- --></includeonly> }}<!-- (completing initial #ifeq: at start of template:) --><includeonly> | <!--(this template has not been transcluded on a /doc or /{{{override}}} page)--> }}<!-- --></includeonly><noinclude>{{Documentation}}</noinclude> 471e685c1c643a5c6272e20e49824fffebad0448 Module:Arguments 828 211 514 513 2023-08-04T01:13:31Z Subaluwa 2 1 revision imported Scribunto text/plain -- This module provides easy processing of arguments passed to Scribunto from -- #invoke. It is intended for use by other Lua modules, and should not be -- called from #invoke directly. local libraryUtil = require('libraryUtil') local checkType = libraryUtil.checkType local arguments = {} -- Generate four different tidyVal functions, so that we don't have to check the -- options every time we call it. local function tidyValDefault(key, val) if type(val) == 'string' then val = val:match('^%s*(.-)%s*$') if val == '' then return nil else return val end else return val end end local function tidyValTrimOnly(key, val) if type(val) == 'string' then return val:match('^%s*(.-)%s*$') else return val end end local function tidyValRemoveBlanksOnly(key, val) if type(val) == 'string' then if val:find('%S') then return val else return nil end else return val end end local function tidyValNoChange(key, val) return val end local function matchesTitle(given, title) local tp = type( given ) return (tp == 'string' or tp == 'number') and mw.title.new( given ).prefixedText == title end local translate_mt = { __index = function(t, k) return k end } function arguments.getArgs(frame, options) checkType('getArgs', 1, frame, 'table', true) checkType('getArgs', 2, options, 'table', true) frame = frame or {} options = options or {} --[[ -- Set up argument translation. --]] options.translate = options.translate or {} if getmetatable(options.translate) == nil then setmetatable(options.translate, translate_mt) end if options.backtranslate == nil then options.backtranslate = {} for k,v in pairs(options.translate) do options.backtranslate[v] = k end end if options.backtranslate and getmetatable(options.backtranslate) == nil then setmetatable(options.backtranslate, { __index = function(t, k) if options.translate[k] ~= k then return nil else return k end end }) end --[[ -- Get the argument tables. If we were passed a valid frame object, get the -- frame arguments (fargs) and the parent frame arguments (pargs), depending -- on the options set and on the parent frame's availability. If we weren't -- passed a valid frame object, we are being called from another Lua module -- or from the debug console, so assume that we were passed a table of args -- directly, and assign it to a new variable (luaArgs). --]] local fargs, pargs, luaArgs if type(frame.args) == 'table' and type(frame.getParent) == 'function' then if options.wrappers then --[[ -- The wrappers option makes Module:Arguments look up arguments in -- either the frame argument table or the parent argument table, but -- not both. This means that users can use either the #invoke syntax -- or a wrapper template without the loss of performance associated -- with looking arguments up in both the frame and the parent frame. -- Module:Arguments will look up arguments in the parent frame -- if it finds the parent frame's title in options.wrapper; -- otherwise it will look up arguments in the frame object passed -- to getArgs. --]] local parent = frame:getParent() if not parent then fargs = frame.args else local title = parent:getTitle():gsub('/sandbox$', '') local found = false if matchesTitle(options.wrappers, title) then found = true elseif type(options.wrappers) == 'table' then for _,v in pairs(options.wrappers) do if matchesTitle(v, title) then found = true break end end end -- We test for false specifically here so that nil (the default) acts like true. if found or options.frameOnly == false then pargs = parent.args end if not found or options.parentOnly == false then fargs = frame.args end end else -- options.wrapper isn't set, so check the other options. if not options.parentOnly then fargs = frame.args end if not options.frameOnly then local parent = frame:getParent() pargs = parent and parent.args or nil end end if options.parentFirst then fargs, pargs = pargs, fargs end else luaArgs = frame end -- Set the order of precedence of the argument tables. If the variables are -- nil, nothing will be added to the table, which is how we avoid clashes -- between the frame/parent args and the Lua args. local argTables = {fargs} argTables[#argTables + 1] = pargs argTables[#argTables + 1] = luaArgs --[[ -- Generate the tidyVal function. If it has been specified by the user, we -- use that; if not, we choose one of four functions depending on the -- options chosen. This is so that we don't have to call the options table -- every time the function is called. --]] local tidyVal = options.valueFunc if tidyVal then if type(tidyVal) ~= 'function' then error( "bad value assigned to option 'valueFunc'" .. '(function expected, got ' .. type(tidyVal) .. ')', 2 ) end elseif options.trim ~= false then if options.removeBlanks ~= false then tidyVal = tidyValDefault else tidyVal = tidyValTrimOnly end else if options.removeBlanks ~= false then tidyVal = tidyValRemoveBlanksOnly else tidyVal = tidyValNoChange end end --[[ -- Set up the args, metaArgs and nilArgs tables. args will be the one -- accessed from functions, and metaArgs will hold the actual arguments. Nil -- arguments are memoized in nilArgs, and the metatable connects all of them -- together. --]] local args, metaArgs, nilArgs, metatable = {}, {}, {}, {} setmetatable(args, metatable) local function mergeArgs(tables) --[[ -- Accepts multiple tables as input and merges their keys and values -- into one table. If a value is already present it is not overwritten; -- tables listed earlier have precedence. We are also memoizing nil -- values, which can be overwritten if they are 's' (soft). --]] for _, t in ipairs(tables) do for key, val in pairs(t) do if metaArgs[key] == nil and nilArgs[key] ~= 'h' then local tidiedVal = tidyVal(key, val) if tidiedVal == nil then nilArgs[key] = 's' else metaArgs[key] = tidiedVal end end end end end --[[ -- Define metatable behaviour. Arguments are memoized in the metaArgs table, -- and are only fetched from the argument tables once. Fetching arguments -- from the argument tables is the most resource-intensive step in this -- module, so we try and avoid it where possible. For this reason, nil -- arguments are also memoized, in the nilArgs table. Also, we keep a record -- in the metatable of when pairs and ipairs have been called, so we do not -- run pairs and ipairs on the argument tables more than once. We also do -- not run ipairs on fargs and pargs if pairs has already been run, as all -- the arguments will already have been copied over. --]] metatable.__index = function (t, key) --[[ -- Fetches an argument when the args table is indexed. First we check -- to see if the value is memoized, and if not we try and fetch it from -- the argument tables. When we check memoization, we need to check -- metaArgs before nilArgs, as both can be non-nil at the same time. -- If the argument is not present in metaArgs, we also check whether -- pairs has been run yet. If pairs has already been run, we return nil. -- This is because all the arguments will have already been copied into -- metaArgs by the mergeArgs function, meaning that any other arguments -- must be nil. --]] if type(key) == 'string' then key = options.translate[key] end local val = metaArgs[key] if val ~= nil then return val elseif metatable.donePairs or nilArgs[key] then return nil end for _, argTable in ipairs(argTables) do local argTableVal = tidyVal(key, argTable[key]) if argTableVal ~= nil then metaArgs[key] = argTableVal return argTableVal end end nilArgs[key] = 'h' return nil end metatable.__newindex = function (t, key, val) -- This function is called when a module tries to add a new value to the -- args table, or tries to change an existing value. if type(key) == 'string' then key = options.translate[key] end if options.readOnly then error( 'could not write to argument table key "' .. tostring(key) .. '"; the table is read-only', 2 ) elseif options.noOverwrite and args[key] ~= nil then error( 'could not write to argument table key "' .. tostring(key) .. '"; overwriting existing arguments is not permitted', 2 ) elseif val == nil then --[[ -- If the argument is to be overwritten with nil, we need to erase -- the value in metaArgs, so that __index, __pairs and __ipairs do -- not use a previous existing value, if present; and we also need -- to memoize the nil in nilArgs, so that the value isn't looked -- up in the argument tables if it is accessed again. --]] metaArgs[key] = nil nilArgs[key] = 'h' else metaArgs[key] = val end end local function translatenext(invariant) local k, v = next(invariant.t, invariant.k) invariant.k = k if k == nil then return nil elseif type(k) ~= 'string' or not options.backtranslate then return k, v else local backtranslate = options.backtranslate[k] if backtranslate == nil then -- Skip this one. This is a tail call, so this won't cause stack overflow return translatenext(invariant) else return backtranslate, v end end end metatable.__pairs = function () -- Called when pairs is run on the args table. if not metatable.donePairs then mergeArgs(argTables) metatable.donePairs = true end return translatenext, { t = metaArgs } end local function inext(t, i) -- This uses our __index metamethod local v = t[i + 1] if v ~= nil then return i + 1, v end end metatable.__ipairs = function (t) -- Called when ipairs is run on the args table. return inext, t, 0 end return args end return arguments 3134ecce8429b810d445e29eae115e2ae4c36c53 Module:Documentation 828 212 516 515 2023-08-04T01:13:32Z Subaluwa 2 1 revision imported Scribunto text/plain -- This module implements {{documentation}}. -- Get required modules. local getArgs = require('Module:Arguments').getArgs -- Get the config table. local cfg = mw.loadData('Module:Documentation/config') local p = {} -- Often-used functions. local ugsub = mw.ustring.gsub ---------------------------------------------------------------------------- -- Helper functions -- -- These are defined as local functions, but are made available in the p -- table for testing purposes. ---------------------------------------------------------------------------- local function message(cfgKey, valArray, expectType) --[[ -- Gets a message from the cfg table and formats it if appropriate. -- The function raises an error if the value from the cfg table is not -- of the type expectType. The default type for expectType is 'string'. -- If the table valArray is present, strings such as $1, $2 etc. in the -- message are substituted with values from the table keys [1], [2] etc. -- For example, if the message "foo-message" had the value 'Foo $2 bar $1.', -- message('foo-message', {'baz', 'qux'}) would return "Foo qux bar baz." --]] local msg = cfg[cfgKey] expectType = expectType or 'string' if type(msg) ~= expectType then error('message: type error in message cfg.' .. cfgKey .. ' (' .. expectType .. ' expected, got ' .. type(msg) .. ')', 2) end if not valArray then return msg end local function getMessageVal(match) match = tonumber(match) return valArray[match] or error('message: no value found for key $' .. match .. ' in message cfg.' .. cfgKey, 4) end return ugsub(msg, '$([1-9][0-9]*)', getMessageVal) end p.message = message local function makeWikilink(page, display) if display then return mw.ustring.format('[[%s|%s]]', page, display) else return mw.ustring.format('[[%s]]', page) end end p.makeWikilink = makeWikilink local function makeCategoryLink(cat, sort) local catns = mw.site.namespaces[14].name return makeWikilink(catns .. ':' .. cat, sort) end p.makeCategoryLink = makeCategoryLink local function makeUrlLink(url, display) return mw.ustring.format('[%s %s]', url, display) end p.makeUrlLink = makeUrlLink local function makeToolbar(...) local ret = {} local lim = select('#', ...) if lim < 1 then return nil end for i = 1, lim do ret[#ret + 1] = select(i, ...) end -- 'documentation-toolbar' return '<span class="' .. message('toolbar-class') .. '">(' .. table.concat(ret, ' &#124; ') .. ')</span>' end p.makeToolbar = makeToolbar ---------------------------------------------------------------------------- -- Argument processing ---------------------------------------------------------------------------- local function makeInvokeFunc(funcName) return function (frame) local args = getArgs(frame, { valueFunc = function (key, value) if type(value) == 'string' then value = value:match('^%s*(.-)%s*$') -- Remove whitespace. if key == 'heading' or value ~= '' then return value else return nil end else return value end end }) return p[funcName](args) end end ---------------------------------------------------------------------------- -- Entry points ---------------------------------------------------------------------------- function p.nonexistent(frame) if mw.title.getCurrentTitle().subpageText == 'testcases' then return frame:expandTemplate{title = 'module test cases notice'} else return p.main(frame) end end p.main = makeInvokeFunc('_main') function p._main(args) --[[ -- This function defines logic flow for the module. -- @args - table of arguments passed by the user --]] local env = p.getEnvironment(args) local root = mw.html.create() root :tag('div') -- 'documentation-container' :addClass(message('container')) :attr('role', 'complementary') :attr('aria-labelledby', args.heading ~= '' and 'documentation-heading' or nil) :attr('aria-label', args.heading == '' and 'Documentation' or nil) :newline() :tag('div') -- 'documentation' :addClass(message('main-div-classes')) :newline() :wikitext(p._startBox(args, env)) :wikitext(p._content(args, env)) :tag('div') -- 'documentation-clear' :addClass(message('clear')) :done() :newline() :done() :wikitext(p._endBox(args, env)) :done() :wikitext(p.addTrackingCategories(env)) -- 'Module:Documentation/styles.css' return mw.getCurrentFrame():extensionTag ( 'templatestyles', '', {src=cfg['templatestyles'] }) .. tostring(root) end ---------------------------------------------------------------------------- -- Environment settings ---------------------------------------------------------------------------- function p.getEnvironment(args) --[[ -- Returns a table with information about the environment, including title -- objects and other namespace- or path-related data. -- @args - table of arguments passed by the user -- -- Title objects include: -- env.title - the page we are making documentation for (usually the current title) -- env.templateTitle - the template (or module, file, etc.) -- env.docTitle - the /doc subpage. -- env.sandboxTitle - the /sandbox subpage. -- env.testcasesTitle - the /testcases subpage. -- -- Data includes: -- env.subjectSpace - the number of the title's subject namespace. -- env.docSpace - the number of the namespace the title puts its documentation in. -- env.docpageBase - the text of the base page of the /doc, /sandbox and /testcases pages, with namespace. -- env.compareUrl - URL of the Special:ComparePages page comparing the sandbox with the template. -- -- All table lookups are passed through pcall so that errors are caught. If an error occurs, the value -- returned will be nil. --]] local env, envFuncs = {}, {} -- Set up the metatable. If triggered we call the corresponding function in the envFuncs table. The value -- returned by that function is memoized in the env table so that we don't call any of the functions -- more than once. (Nils won't be memoized.) setmetatable(env, { __index = function (t, key) local envFunc = envFuncs[key] if envFunc then local success, val = pcall(envFunc) if success then env[key] = val -- Memoise the value. return val end end return nil end }) function envFuncs.title() -- The title object for the current page, or a test page passed with args.page. local title local titleArg = args.page if titleArg then title = mw.title.new(titleArg) else title = mw.title.getCurrentTitle() end return title end function envFuncs.templateTitle() --[[ -- The template (or module, etc.) title object. -- Messages: -- 'sandbox-subpage' --> 'sandbox' -- 'testcases-subpage' --> 'testcases' --]] local subjectSpace = env.subjectSpace local title = env.title local subpage = title.subpageText if subpage == message('sandbox-subpage') or subpage == message('testcases-subpage') then return mw.title.makeTitle(subjectSpace, title.baseText) else return mw.title.makeTitle(subjectSpace, title.text) end end function envFuncs.docTitle() --[[ -- Title object of the /doc subpage. -- Messages: -- 'doc-subpage' --> 'doc' --]] local title = env.title local docname = args[1] -- User-specified doc page. local docpage if docname then docpage = docname else docpage = env.docpageBase .. '/' .. message('doc-subpage') end return mw.title.new(docpage) end function envFuncs.sandboxTitle() --[[ -- Title object for the /sandbox subpage. -- Messages: -- 'sandbox-subpage' --> 'sandbox' --]] return mw.title.new(env.docpageBase .. '/' .. message('sandbox-subpage')) end function envFuncs.testcasesTitle() --[[ -- Title object for the /testcases subpage. -- Messages: -- 'testcases-subpage' --> 'testcases' --]] return mw.title.new(env.docpageBase .. '/' .. message('testcases-subpage')) end function envFuncs.subjectSpace() -- The subject namespace number. return mw.site.namespaces[env.title.namespace].subject.id end function envFuncs.docSpace() -- The documentation namespace number. For most namespaces this is the -- same as the subject namespace. However, pages in the Article, File, -- MediaWiki or Category namespaces must have their /doc, /sandbox and -- /testcases pages in talk space. local subjectSpace = env.subjectSpace if subjectSpace == 0 or subjectSpace == 6 or subjectSpace == 8 or subjectSpace == 14 then return subjectSpace + 1 else return subjectSpace end end function envFuncs.docpageBase() -- The base page of the /doc, /sandbox, and /testcases subpages. -- For some namespaces this is the talk page, rather than the template page. local templateTitle = env.templateTitle local docSpace = env.docSpace local docSpaceText = mw.site.namespaces[docSpace].name -- Assemble the link. docSpace is never the main namespace, so we can hardcode the colon. return docSpaceText .. ':' .. templateTitle.text end function envFuncs.compareUrl() -- Diff link between the sandbox and the main template using [[Special:ComparePages]]. local templateTitle = env.templateTitle local sandboxTitle = env.sandboxTitle if templateTitle.exists and sandboxTitle.exists then local compareUrl = mw.uri.fullUrl( 'Special:ComparePages', { page1 = templateTitle.prefixedText, page2 = sandboxTitle.prefixedText} ) return tostring(compareUrl) else return nil end end return env end ---------------------------------------------------------------------------- -- Start box ---------------------------------------------------------------------------- p.startBox = makeInvokeFunc('_startBox') function p._startBox(args, env) --[[ -- This function generates the start box. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- The actual work is done by p.makeStartBoxLinksData and p.renderStartBoxLinks which make -- the [view] [edit] [history] [purge] links, and by p.makeStartBoxData and p.renderStartBox -- which generate the box HTML. --]] env = env or p.getEnvironment(args) local links local content = args.content if not content or args[1] then -- No need to include the links if the documentation is on the template page itself. local linksData = p.makeStartBoxLinksData(args, env) if linksData then links = p.renderStartBoxLinks(linksData) end end -- Generate the start box html. local data = p.makeStartBoxData(args, env, links) if data then return p.renderStartBox(data) else -- User specified no heading. return nil end end function p.makeStartBoxLinksData(args, env) --[[ -- Does initial processing of data to make the [view] [edit] [history] [purge] links. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- Messages: -- 'view-link-display' --> 'view' -- 'edit-link-display' --> 'edit' -- 'history-link-display' --> 'history' -- 'purge-link-display' --> 'purge' -- 'module-preload' --> 'Template:Documentation/preload-module-doc' -- 'docpage-preload' --> 'Template:Documentation/preload' -- 'create-link-display' --> 'create' --]] local subjectSpace = env.subjectSpace local title = env.title local docTitle = env.docTitle if not title or not docTitle then return nil end if docTitle.isRedirect then docTitle = docTitle.redirectTarget end local data = {} data.title = title data.docTitle = docTitle -- View, display, edit, and purge links if /doc exists. data.viewLinkDisplay = message('view-link-display') data.editLinkDisplay = message('edit-link-display') data.historyLinkDisplay = message('history-link-display') data.purgeLinkDisplay = message('purge-link-display') -- Create link if /doc doesn't exist. local preload = args.preload if not preload then if subjectSpace == 828 then -- Module namespace preload = message('module-preload') else preload = message('docpage-preload') end end data.preload = preload data.createLinkDisplay = message('create-link-display') return data end function p.renderStartBoxLinks(data) --[[ -- Generates the [view][edit][history][purge] or [create][purge] links from the data table. -- @data - a table of data generated by p.makeStartBoxLinksData --]] local function escapeBrackets(s) -- Escapes square brackets with HTML entities. s = s:gsub('%[', '&#91;') -- Replace square brackets with HTML entities. s = s:gsub('%]', '&#93;') return s end local ret local docTitle = data.docTitle local title = data.title local purgeLink = makeUrlLink(title:fullUrl{action = 'purge'}, data.purgeLinkDisplay) if docTitle.exists then local viewLink = makeWikilink(docTitle.prefixedText, data.viewLinkDisplay) local editLink = makeUrlLink(docTitle:fullUrl{action = 'edit'}, data.editLinkDisplay) local historyLink = makeUrlLink(docTitle:fullUrl{action = 'history'}, data.historyLinkDisplay) ret = '[%s] [%s] [%s] [%s]' ret = escapeBrackets(ret) ret = mw.ustring.format(ret, viewLink, editLink, historyLink, purgeLink) else local createLink = makeUrlLink(docTitle:fullUrl{action = 'edit', preload = data.preload}, data.createLinkDisplay) ret = '[%s] [%s]' ret = escapeBrackets(ret) ret = mw.ustring.format(ret, createLink, purgeLink) end return ret end function p.makeStartBoxData(args, env, links) --[=[ -- Does initial processing of data to pass to the start-box render function, p.renderStartBox. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- @links - a string containing the [view][edit][history][purge] links - could be nil if there's an error. -- -- Messages: -- 'documentation-icon-wikitext' --> '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]' -- 'template-namespace-heading' --> 'Template documentation' -- 'module-namespace-heading' --> 'Module documentation' -- 'file-namespace-heading' --> 'Summary' -- 'other-namespaces-heading' --> 'Documentation' -- 'testcases-create-link-display' --> 'create' --]=] local subjectSpace = env.subjectSpace if not subjectSpace then -- Default to an "other namespaces" namespace, so that we get at least some output -- if an error occurs. subjectSpace = 2 end local data = {} -- Heading local heading = args.heading -- Blank values are not removed. if heading == '' then -- Don't display the start box if the heading arg is defined but blank. return nil end if heading then data.heading = heading elseif subjectSpace == 10 then -- Template namespace data.heading = message('documentation-icon-wikitext') .. ' ' .. message('template-namespace-heading') elseif subjectSpace == 828 then -- Module namespace data.heading = message('documentation-icon-wikitext') .. ' ' .. message('module-namespace-heading') elseif subjectSpace == 6 then -- File namespace data.heading = message('file-namespace-heading') else data.heading = message('other-namespaces-heading') end -- Heading CSS local headingStyle = args['heading-style'] if headingStyle then data.headingStyleText = headingStyle else -- 'documentation-heading' data.headingClass = message('main-div-heading-class') end -- Data for the [view][edit][history][purge] or [create] links. if links then -- 'mw-editsection-like plainlinks' data.linksClass = message('start-box-link-classes') data.links = links end return data end function p.renderStartBox(data) -- Renders the start box html. -- @data - a table of data generated by p.makeStartBoxData. local sbox = mw.html.create('div') sbox -- 'documentation-startbox' :addClass(message('start-box-class')) :newline() :tag('span') :addClass(data.headingClass) :attr('id', 'documentation-heading') :cssText(data.headingStyleText) :wikitext(data.heading) local links = data.links if links then sbox:tag('span') :addClass(data.linksClass) :attr('id', data.linksId) :wikitext(links) end return tostring(sbox) end ---------------------------------------------------------------------------- -- Documentation content ---------------------------------------------------------------------------- p.content = makeInvokeFunc('_content') function p._content(args, env) -- Displays the documentation contents -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment env = env or p.getEnvironment(args) local docTitle = env.docTitle local content = args.content if not content and docTitle and docTitle.exists then content = args._content or mw.getCurrentFrame():expandTemplate{title = docTitle.prefixedText} end -- The line breaks below are necessary so that "=== Headings ===" at the start and end -- of docs are interpreted correctly. return '\n' .. (content or '') .. '\n' end p.contentTitle = makeInvokeFunc('_contentTitle') function p._contentTitle(args, env) env = env or p.getEnvironment(args) local docTitle = env.docTitle if not args.content and docTitle and docTitle.exists then return docTitle.prefixedText else return '' end end ---------------------------------------------------------------------------- -- End box ---------------------------------------------------------------------------- p.endBox = makeInvokeFunc('_endBox') function p._endBox(args, env) --[=[ -- This function generates the end box (also known as the link box). -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- --]=] -- Get environment data. env = env or p.getEnvironment(args) local subjectSpace = env.subjectSpace local docTitle = env.docTitle if not subjectSpace or not docTitle then return nil end -- Check whether we should output the end box at all. Add the end -- box by default if the documentation exists or if we are in the -- user, module or template namespaces. local linkBox = args['link box'] if linkBox == 'off' or not ( docTitle.exists or subjectSpace == 2 or subjectSpace == 828 or subjectSpace == 10 ) then return nil end -- Assemble the link box. local text = '' if linkBox then text = text .. linkBox else text = text .. (p.makeDocPageBlurb(args, env) or '') -- "This documentation is transcluded from [[Foo]]." if subjectSpace == 2 or subjectSpace == 10 or subjectSpace == 828 then -- We are in the user, template or module namespaces. -- Add sandbox and testcases links. -- "Editors can experiment in this template's sandbox and testcases pages." text = text .. (p.makeExperimentBlurb(args, env) or '') .. '<br />' if not args.content and not args[1] then -- "Please add categories to the /doc subpage." -- Don't show this message with inline docs or with an explicitly specified doc page, -- as then it is unclear where to add the categories. text = text .. (p.makeCategoriesBlurb(args, env) or '') end text = text .. ' ' .. (p.makeSubpagesBlurb(args, env) or '') --"Subpages of this template" end end local box = mw.html.create('div') -- 'documentation-metadata' box:attr('role', 'note') :addClass(message('end-box-class')) -- 'plainlinks' :addClass(message('end-box-plainlinks')) :wikitext(text) :done() return '\n' .. tostring(box) end function p.makeDocPageBlurb(args, env) --[=[ -- Makes the blurb "This documentation is transcluded from [[Template:Foo]] (edit, history)". -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- Messages: -- 'edit-link-display' --> 'edit' -- 'history-link-display' --> 'history' -- 'transcluded-from-blurb' --> -- 'The above [[Wikipedia:Template documentation|documentation]] -- is [[Help:Transclusion|transcluded]] from $1.' -- 'module-preload' --> 'Template:Documentation/preload-module-doc' -- 'create-link-display' --> 'create' -- 'create-module-doc-blurb' --> -- 'You might want to $1 a documentation page for this [[Wikipedia:Lua|Scribunto module]].' --]=] local docTitle = env.docTitle if not docTitle then return nil end local ret if docTitle.exists then -- /doc exists; link to it. local docLink = makeWikilink(docTitle.prefixedText) local editUrl = docTitle:fullUrl{action = 'edit'} local editDisplay = message('edit-link-display') local editLink = makeUrlLink(editUrl, editDisplay) local historyUrl = docTitle:fullUrl{action = 'history'} local historyDisplay = message('history-link-display') local historyLink = makeUrlLink(historyUrl, historyDisplay) ret = message('transcluded-from-blurb', {docLink}) .. ' ' .. makeToolbar(editLink, historyLink) .. '<br />' elseif env.subjectSpace == 828 then -- /doc does not exist; ask to create it. local createUrl = docTitle:fullUrl{action = 'edit', preload = message('module-preload')} local createDisplay = message('create-link-display') local createLink = makeUrlLink(createUrl, createDisplay) ret = message('create-module-doc-blurb', {createLink}) .. '<br />' end return ret end function p.makeExperimentBlurb(args, env) --[[ -- Renders the text "Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages." -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- -- Messages: -- 'sandbox-link-display' --> 'sandbox' -- 'sandbox-edit-link-display' --> 'edit' -- 'compare-link-display' --> 'diff' -- 'module-sandbox-preload' --> 'Template:Documentation/preload-module-sandbox' -- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox' -- 'sandbox-create-link-display' --> 'create' -- 'mirror-edit-summary' --> 'Create sandbox version of $1' -- 'mirror-link-display' --> 'mirror' -- 'mirror-link-preload' --> 'Template:Documentation/mirror' -- 'sandbox-link-display' --> 'sandbox' -- 'testcases-link-display' --> 'testcases' -- 'testcases-edit-link-display'--> 'edit' -- 'template-sandbox-preload' --> 'Template:Documentation/preload-sandbox' -- 'testcases-create-link-display' --> 'create' -- 'testcases-link-display' --> 'testcases' -- 'testcases-edit-link-display' --> 'edit' -- 'module-testcases-preload' --> 'Template:Documentation/preload-module-testcases' -- 'template-testcases-preload' --> 'Template:Documentation/preload-testcases' -- 'experiment-blurb-module' --> 'Editors can experiment in this module's $1 and $2 pages.' -- 'experiment-blurb-template' --> 'Editors can experiment in this template's $1 and $2 pages.' --]] local subjectSpace = env.subjectSpace local templateTitle = env.templateTitle local sandboxTitle = env.sandboxTitle local testcasesTitle = env.testcasesTitle local templatePage = templateTitle.prefixedText if not subjectSpace or not templateTitle or not sandboxTitle or not testcasesTitle then return nil end -- Make links. local sandboxLinks, testcasesLinks if sandboxTitle.exists then local sandboxPage = sandboxTitle.prefixedText local sandboxDisplay = message('sandbox-link-display') local sandboxLink = makeWikilink(sandboxPage, sandboxDisplay) local sandboxEditUrl = sandboxTitle:fullUrl{action = 'edit'} local sandboxEditDisplay = message('sandbox-edit-link-display') local sandboxEditLink = makeUrlLink(sandboxEditUrl, sandboxEditDisplay) local compareUrl = env.compareUrl local compareLink if compareUrl then local compareDisplay = message('compare-link-display') compareLink = makeUrlLink(compareUrl, compareDisplay) end sandboxLinks = sandboxLink .. ' ' .. makeToolbar(sandboxEditLink, compareLink) else local sandboxPreload if subjectSpace == 828 then sandboxPreload = message('module-sandbox-preload') else sandboxPreload = message('template-sandbox-preload') end local sandboxCreateUrl = sandboxTitle:fullUrl{action = 'edit', preload = sandboxPreload} local sandboxCreateDisplay = message('sandbox-create-link-display') local sandboxCreateLink = makeUrlLink(sandboxCreateUrl, sandboxCreateDisplay) local mirrorSummary = message('mirror-edit-summary', {makeWikilink(templatePage)}) local mirrorPreload = message('mirror-link-preload') local mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = mirrorPreload, summary = mirrorSummary} if subjectSpace == 828 then mirrorUrl = sandboxTitle:fullUrl{action = 'edit', preload = templateTitle.prefixedText, summary = mirrorSummary} end local mirrorDisplay = message('mirror-link-display') local mirrorLink = makeUrlLink(mirrorUrl, mirrorDisplay) sandboxLinks = message('sandbox-link-display') .. ' ' .. makeToolbar(sandboxCreateLink, mirrorLink) end if testcasesTitle.exists then local testcasesPage = testcasesTitle.prefixedText local testcasesDisplay = message('testcases-link-display') local testcasesLink = makeWikilink(testcasesPage, testcasesDisplay) local testcasesEditUrl = testcasesTitle:fullUrl{action = 'edit'} local testcasesEditDisplay = message('testcases-edit-link-display') local testcasesEditLink = makeUrlLink(testcasesEditUrl, testcasesEditDisplay) -- for Modules, add testcases run link if exists if testcasesTitle.contentModel == "Scribunto" and testcasesTitle.talkPageTitle and testcasesTitle.talkPageTitle.exists then local testcasesRunLinkDisplay = message('testcases-run-link-display') local testcasesRunLink = makeWikilink(testcasesTitle.talkPageTitle.prefixedText, testcasesRunLinkDisplay) testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink, testcasesRunLink) else testcasesLinks = testcasesLink .. ' ' .. makeToolbar(testcasesEditLink) end else local testcasesPreload if subjectSpace == 828 then testcasesPreload = message('module-testcases-preload') else testcasesPreload = message('template-testcases-preload') end local testcasesCreateUrl = testcasesTitle:fullUrl{action = 'edit', preload = testcasesPreload} local testcasesCreateDisplay = message('testcases-create-link-display') local testcasesCreateLink = makeUrlLink(testcasesCreateUrl, testcasesCreateDisplay) testcasesLinks = message('testcases-link-display') .. ' ' .. makeToolbar(testcasesCreateLink) end local messageName if subjectSpace == 828 then messageName = 'experiment-blurb-module' else messageName = 'experiment-blurb-template' end return message(messageName, {sandboxLinks, testcasesLinks}) end function p.makeCategoriesBlurb(args, env) --[[ -- Generates the text "Please add categories to the /doc subpage." -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- Messages: -- 'doc-link-display' --> '/doc' -- 'add-categories-blurb' --> 'Please add categories to the $1 subpage.' --]] local docTitle = env.docTitle if not docTitle then return nil end local docPathLink = makeWikilink(docTitle.prefixedText, message('doc-link-display')) return message('add-categories-blurb', {docPathLink}) end function p.makeSubpagesBlurb(args, env) --[[ -- Generates the "Subpages of this template" link. -- @args - a table of arguments passed by the user -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- Messages: -- 'template-pagetype' --> 'template' -- 'module-pagetype' --> 'module' -- 'default-pagetype' --> 'page' -- 'subpages-link-display' --> 'Subpages of this $1' --]] local subjectSpace = env.subjectSpace local templateTitle = env.templateTitle if not subjectSpace or not templateTitle then return nil end local pagetype if subjectSpace == 10 then pagetype = message('template-pagetype') elseif subjectSpace == 828 then pagetype = message('module-pagetype') else pagetype = message('default-pagetype') end local subpagesLink = makeWikilink( 'Special:PrefixIndex/' .. templateTitle.prefixedText .. '/', message('subpages-link-display', {pagetype}) ) return message('subpages-blurb', {subpagesLink}) end ---------------------------------------------------------------------------- -- Tracking categories ---------------------------------------------------------------------------- function p.addTrackingCategories(env) --[[ -- Check if {{documentation}} is transcluded on a /doc or /testcases page. -- @env - environment table containing title objects, etc., generated with p.getEnvironment -- Messages: -- 'display-strange-usage-category' --> true -- 'doc-subpage' --> 'doc' -- 'testcases-subpage' --> 'testcases' -- 'strange-usage-category' --> 'Wikipedia pages with strange ((documentation)) usage' -- -- /testcases pages in the module namespace are not categorised, as they may have -- {{documentation}} transcluded automatically. --]] local title = env.title local subjectSpace = env.subjectSpace if not title or not subjectSpace then return nil end local subpage = title.subpageText local ret = '' if message('display-strange-usage-category', nil, 'boolean') and ( subpage == message('doc-subpage') or subjectSpace ~= 828 and subpage == message('testcases-subpage') ) then ret = ret .. makeCategoryLink(message('strange-usage-category')) end return ret end return p 78cc3a78f2b5dbb267fa16027c0800a22dbd3c42 Module:Documentation/config 828 213 518 517 2023-08-04T01:13:32Z Subaluwa 2 1 revision imported Scribunto text/plain ---------------------------------------------------------------------------------------------------- -- -- Configuration for Module:Documentation -- -- Here you can set the values of the parameters and messages used in Module:Documentation to -- localise it to your wiki and your language. Unless specified otherwise, values given here -- should be string values. ---------------------------------------------------------------------------------------------------- local cfg = {} -- Do not edit this line. ---------------------------------------------------------------------------------------------------- -- Start box configuration ---------------------------------------------------------------------------------------------------- -- cfg['documentation-icon-wikitext'] -- The wikitext for the icon shown at the top of the template. cfg['documentation-icon-wikitext'] = '[[File:Test Template Info-Icon - Version (2).svg|50px|link=|alt=]]' -- cfg['template-namespace-heading'] -- The heading shown in the template namespace. cfg['template-namespace-heading'] = 'Template documentation' -- cfg['module-namespace-heading'] -- The heading shown in the module namespace. cfg['module-namespace-heading'] = 'Module documentation' -- cfg['file-namespace-heading'] -- The heading shown in the file namespace. cfg['file-namespace-heading'] = 'Summary' -- cfg['other-namespaces-heading'] -- The heading shown in other namespaces. cfg['other-namespaces-heading'] = 'Documentation' -- cfg['view-link-display'] -- The text to display for "view" links. cfg['view-link-display'] = 'view' -- cfg['edit-link-display'] -- The text to display for "edit" links. cfg['edit-link-display'] = 'edit' -- cfg['history-link-display'] -- The text to display for "history" links. cfg['history-link-display'] = 'history' -- cfg['purge-link-display'] -- The text to display for "purge" links. cfg['purge-link-display'] = 'purge' -- cfg['create-link-display'] -- The text to display for "create" links. cfg['create-link-display'] = 'create' ---------------------------------------------------------------------------------------------------- -- Link box (end box) configuration ---------------------------------------------------------------------------------------------------- -- cfg['transcluded-from-blurb'] -- Notice displayed when the docs are transcluded from another page. $1 is a wikilink to that page. cfg['transcluded-from-blurb'] = 'The above [[w:Wikipedia:Template documentation|documentation]] is [[mw:Help:Transclusion|transcluded]] from $1.' --[[ -- cfg['create-module-doc-blurb'] -- Notice displayed in the module namespace when the documentation subpage does not exist. -- $1 is a link to create the documentation page with the preload cfg['module-preload'] and the -- display cfg['create-link-display']. --]] cfg['create-module-doc-blurb'] = 'You might want to $1 a documentation page for this [[mw:Extension:Scribunto/Lua reference manual|Scribunto module]].' ---------------------------------------------------------------------------------------------------- -- Experiment blurb configuration ---------------------------------------------------------------------------------------------------- --[[ -- cfg['experiment-blurb-template'] -- cfg['experiment-blurb-module'] -- The experiment blurb is the text inviting editors to experiment in sandbox and test cases pages. -- It is only shown in the template and module namespaces. With the default English settings, it -- might look like this: -- -- Editors can experiment in this template's sandbox (edit | diff) and testcases (edit) pages. -- -- In this example, "sandbox", "edit", "diff", "testcases", and "edit" would all be links. -- -- There are two versions, cfg['experiment-blurb-template'] and cfg['experiment-blurb-module'], depending -- on what namespace we are in. -- -- Parameters: -- -- $1 is a link to the sandbox page. If the sandbox exists, it is in the following format: -- -- cfg['sandbox-link-display'] (cfg['sandbox-edit-link-display'] | cfg['compare-link-display']) -- -- If the sandbox doesn't exist, it is in the format: -- -- cfg['sandbox-link-display'] (cfg['sandbox-create-link-display'] | cfg['mirror-link-display']) -- -- The link for cfg['sandbox-create-link-display'] link preloads the page with cfg['template-sandbox-preload'] -- or cfg['module-sandbox-preload'], depending on the current namespace. The link for cfg['mirror-link-display'] -- loads a default edit summary of cfg['mirror-edit-summary']. -- -- $2 is a link to the test cases page. If the test cases page exists, it is in the following format: -- -- cfg['testcases-link-display'] (cfg['testcases-edit-link-display'] | cfg['testcases-run-link-display']) -- -- If the test cases page doesn't exist, it is in the format: -- -- cfg['testcases-link-display'] (cfg['testcases-create-link-display']) -- -- If the test cases page doesn't exist, the link for cfg['testcases-create-link-display'] preloads the -- page with cfg['template-testcases-preload'] or cfg['module-testcases-preload'], depending on the current -- namespace. --]] cfg['experiment-blurb-template'] = "Editors can experiment in this template's $1 and $2 pages." cfg['experiment-blurb-module'] = "Editors can experiment in this module's $1 and $2 pages." ---------------------------------------------------------------------------------------------------- -- Sandbox link configuration ---------------------------------------------------------------------------------------------------- -- cfg['sandbox-subpage'] -- The name of the template subpage typically used for sandboxes. cfg['sandbox-subpage'] = 'sandbox' -- cfg['template-sandbox-preload'] -- Preload file for template sandbox pages. cfg['template-sandbox-preload'] = 'Template:Documentation/preload-sandbox' -- cfg['module-sandbox-preload'] -- Preload file for Lua module sandbox pages. cfg['module-sandbox-preload'] = 'Template:Documentation/preload-module-sandbox' -- cfg['sandbox-link-display'] -- The text to display for "sandbox" links. cfg['sandbox-link-display'] = 'sandbox' -- cfg['sandbox-edit-link-display'] -- The text to display for sandbox "edit" links. cfg['sandbox-edit-link-display'] = 'edit' -- cfg['sandbox-create-link-display'] -- The text to display for sandbox "create" links. cfg['sandbox-create-link-display'] = 'create' -- cfg['compare-link-display'] -- The text to display for "compare" links. cfg['compare-link-display'] = 'diff' -- cfg['mirror-edit-summary'] -- The default edit summary to use when a user clicks the "mirror" link. $1 is a wikilink to the -- template page. cfg['mirror-edit-summary'] = 'Create sandbox version of $1' -- cfg['mirror-link-display'] -- The text to display for "mirror" links. cfg['mirror-link-display'] = 'mirror' -- cfg['mirror-link-preload'] -- The page to preload when a user clicks the "mirror" link. cfg['mirror-link-preload'] = 'Template:Documentation/mirror' ---------------------------------------------------------------------------------------------------- -- Test cases link configuration ---------------------------------------------------------------------------------------------------- -- cfg['testcases-subpage'] -- The name of the template subpage typically used for test cases. cfg['testcases-subpage'] = 'testcases' -- cfg['template-testcases-preload'] -- Preload file for template test cases pages. cfg['template-testcases-preload'] = 'Template:Documentation/preload-testcases' -- cfg['module-testcases-preload'] -- Preload file for Lua module test cases pages. cfg['module-testcases-preload'] = 'Template:Documentation/preload-module-testcases' -- cfg['testcases-link-display'] -- The text to display for "testcases" links. cfg['testcases-link-display'] = 'testcases' -- cfg['testcases-edit-link-display'] -- The text to display for test cases "edit" links. cfg['testcases-edit-link-display'] = 'edit' -- cfg['testcases-run-link-display'] -- The text to display for test cases "run" links. cfg['testcases-run-link-display'] = 'run' -- cfg['testcases-create-link-display'] -- The text to display for test cases "create" links. cfg['testcases-create-link-display'] = 'create' ---------------------------------------------------------------------------------------------------- -- Add categories blurb configuration ---------------------------------------------------------------------------------------------------- --[[ -- cfg['add-categories-blurb'] -- Text to direct users to add categories to the /doc subpage. Not used if the "content" or -- "docname fed" arguments are set, as then it is not clear where to add the categories. $1 is a -- link to the /doc subpage with a display value of cfg['doc-link-display']. --]] cfg['add-categories-blurb'] = 'Add categories to the $1 subpage.' -- cfg['doc-link-display'] -- The text to display when linking to the /doc subpage. cfg['doc-link-display'] = '/doc' ---------------------------------------------------------------------------------------------------- -- Subpages link configuration ---------------------------------------------------------------------------------------------------- --[[ -- cfg['subpages-blurb'] -- The "Subpages of this template" blurb. $1 is a link to the main template's subpages with a -- display value of cfg['subpages-link-display']. In the English version this blurb is simply -- the link followed by a period, and the link display provides the actual text. --]] cfg['subpages-blurb'] = '$1.' --[[ -- cfg['subpages-link-display'] -- The text to display for the "subpages of this page" link. $1 is cfg['template-pagetype'], -- cfg['module-pagetype'] or cfg['default-pagetype'], depending on whether the current page is in -- the template namespace, the module namespace, or another namespace. --]] cfg['subpages-link-display'] = 'Subpages of this $1' -- cfg['template-pagetype'] -- The pagetype to display for template pages. cfg['template-pagetype'] = 'template' -- cfg['module-pagetype'] -- The pagetype to display for Lua module pages. cfg['module-pagetype'] = 'module' -- cfg['default-pagetype'] -- The pagetype to display for pages other than templates or Lua modules. cfg['default-pagetype'] = 'page' ---------------------------------------------------------------------------------------------------- -- Doc link configuration ---------------------------------------------------------------------------------------------------- -- cfg['doc-subpage'] -- The name of the subpage typically used for documentation pages. cfg['doc-subpage'] = 'doc' -- cfg['docpage-preload'] -- Preload file for template documentation pages in all namespaces. cfg['docpage-preload'] = 'Template:Documentation/preload' -- cfg['module-preload'] -- Preload file for Lua module documentation pages. cfg['module-preload'] = 'Template:Documentation/preload-module-doc' ---------------------------------------------------------------------------------------------------- -- HTML and CSS configuration ---------------------------------------------------------------------------------------------------- -- cfg['templatestyles'] -- The name of the TemplateStyles page where CSS is kept. -- Sandbox CSS will be at Module:Documentation/sandbox/styles.css when needed. cfg['templatestyles'] = 'Module:Documentation/styles.css' -- cfg['container'] -- Class which can be used to set flex or grid CSS on the -- two child divs documentation and documentation-metadata cfg['container'] = 'documentation-container' -- cfg['main-div-classes'] -- Classes added to the main HTML "div" tag. cfg['main-div-classes'] = 'documentation' -- cfg['main-div-heading-class'] -- Class for the main heading for templates and modules and assoc. talk spaces cfg['main-div-heading-class'] = 'documentation-heading' -- cfg['start-box-class'] -- Class for the start box cfg['start-box-class'] = 'documentation-startbox' -- cfg['start-box-link-classes'] -- Classes used for the [view][edit][history] or [create] links in the start box. -- mw-editsection-like is per [[Wikipedia:Village pump (technical)/Archive 117]] cfg['start-box-link-classes'] = 'mw-editsection-like plainlinks' -- cfg['end-box-class'] -- Class for the end box. cfg['end-box-class'] = 'documentation-metadata' -- cfg['end-box-plainlinks'] -- Plainlinks cfg['end-box-plainlinks'] = 'plainlinks' -- cfg['toolbar-class'] -- Class added for toolbar links. cfg['toolbar-class'] = 'documentation-toolbar' -- cfg['clear'] -- Just used to clear things. cfg['clear'] = 'documentation-clear' ---------------------------------------------------------------------------------------------------- -- Tracking category configuration ---------------------------------------------------------------------------------------------------- -- cfg['display-strange-usage-category'] -- Set to true to enable output of cfg['strange-usage-category'] if the module is used on a /doc subpage -- or a /testcases subpage. This should be a boolean value (either true or false). cfg['display-strange-usage-category'] = true -- cfg['strange-usage-category'] -- Category to output if cfg['display-strange-usage-category'] is set to true and the module is used on a -- /doc subpage or a /testcases subpage. cfg['strange-usage-category'] = 'Wikipedia pages with strange ((documentation)) usage' --[[ ---------------------------------------------------------------------------------------------------- -- End configuration -- -- Don't edit anything below this line. ---------------------------------------------------------------------------------------------------- --]] return cfg d70e8b1402a2bbe08a1fef4b75d743e661af0c95 Module:Documentation/styles.css 828 214 520 519 2023-08-04T01:13:32Z Subaluwa 2 1 revision imported text text/plain .documentation, .documentation-metadata { border: 1px solid #a2a9b1; background-color: #ecfcf4; clear: both; } .documentation { margin: 1em 0 0 0; padding: 1em; } .documentation-metadata { margin: 0.2em 0; /* same margin left-right as .documentation */ font-style: italic; padding: 0.4em 1em; /* same padding left-right as .documentation */ } .documentation-startbox { padding-bottom: 3px; border-bottom: 1px solid #aaa; margin-bottom: 1ex; } .documentation-heading { font-weight: bold; font-size: 125%; } .documentation-clear { /* Don't want things to stick out where they shouldn't. */ clear: both; } .documentation-toolbar { font-style: normal; font-size: 85%; } /* [[Category:Template stylesheets]] */ 5fb984fe8632dc068db16853a824c9f3d5175dd9 Template:Template link 10 215 522 521 2023-08-04T01:13:34Z Subaluwa 2 1 revision imported wikitext text/x-wiki &#123;&#123;[[Template:{{{1}}}|{{{1}}}]]&#125;&#125;<noinclude>{{documentation}} <!-- Categories go on the /doc subpage and interwikis go on Wikidata. --> </noinclude> eabbec62efe3044a98ebb3ce9e7d4d43c222351d Template:Tl 10 216 524 523 2023-08-04T01:13:34Z Subaluwa 2 1 revision imported wikitext text/x-wiki #REDIRECT [[Template:Template link]] fb9a6b420e13178e581af6e7d64274cd30a79017 Template:Clear 10 217 526 525 2023-08-04T01:13:34Z Subaluwa 2 1 revision imported wikitext text/x-wiki <div style="clear:{{{1|both}}};"></div><noinclude> {{documentation}} </noinclude> 38bab3e3d7fbd3d6800d46556e60bc6bac494d72 Template:Infobox/doc 10 218 530 529 2023-08-04T01:13:36Z Subaluwa 2 1 revision imported wikitext text/x-wiki {{Documentation subpage}} This template is intended as a meta template: a template used for constructing other templates. '''Note''': In general, it is not meant for use directly in an article, but can be used on a one-off basis if required. [[w:Help:Infobox]] contains an introduction about the recommended content and design of infoboxes. == Usage == Usage is similar to {{tl|navbox}}, but with an additional distinction. Each row on the table can contain either a header, or a label/data pair, or just a data cell. These are mutually exclusive states so if you define a row with both a header and a label/data pair, the label/data pair is ignored. To insert an image somewhere other than at the top of the infobox, or to insert freeform data, use a row with only a data field. == Optional control parameters == ; name : If this parameter is present, "view/talk/edit" links will be added to the bottom of the infobox, pointing to the named page. You may use the value <nowiki>{{subst:PAGENAME}}</nowiki>; however this is rarely what you want, because it will send users clicking these links in an infobox in an article to the template code rather than the data in the infobox that they probably want to change. ; child : See the [[#Embedding|Embedding]] section for details. If this is set to "yes", this child infobox should be titled but have no name parameter. This parameter is empty by default, set it to "yes" to activate it. ; subbox : See the [[#Subboxes|Subboxes]] section for details. If this is set to "yes", this subbox should be titled but have no name parameter. This parameter is empty by default, set to "yes" to activate it. It has no effect if the '''child''' parameter is also set to "yes". ; decat : If this is set to "yes", the current page will not be autocategorized in a maintenance category when the generated infobox has some problems or no visible data section. Leave empty by default or set to "yes" to activate it. == Content parameters == === Title === There are two different ways to put a title on an infobox. One contains the title inside the infobox's border in the uppermost cell of the table, the other puts as a caption it on top of the table. You can use both of them together if you like, or just one or the other, or even neither (though this is not recommended): ; title : Text to put in the caption over the top of the table (or as section header before the whole content of this table, if this is a child infobox). For accessibility reasons, this is the most recommended alternative. ; above : Text to put within the uppermost cell of the table. ; subheader(n) : additional title fields which fit below {{{title}}} and {{{above}}}, but before images. Examples: {{Infobox | name = Infobox/doc | title = Text in caption over infobox | subheader = Subheader of the infobox | header = (the rest of the infobox goes here) }} <pre style="overflow:auto"> {{Infobox | name = {{subst:PAGENAME}} | title = Text in caption over infobox | subheader = Subheader of the infobox | header = (the rest of the infobox goes here) }} </pre>{{clear}} {{Infobox | name = Infobox/doc | above = Text in uppermost cell of infobox | subheader = Subheader of the infobox | subheader2 = Second subheader of the infobox | header = (the rest of the infobox goes here) }} <pre style="overflow:auto"> {{Infobox | name = {{subst:PAGENAME}} | above = Text in uppermost cell of infobox | subheader = Subheader of the infobox | subheader2 = Second subheader of the infobox | header = (the rest of the infobox goes here) }} </pre>{{clear}} === Illustration images === ; image(n) : images to display at the top of the template. Use full image syntax, for example <nowiki>[[File:example.png|200px|alt=Example alt text]]</nowiki>. Image is centered by default. ; caption(n) : Text to put underneath the images. === Main data === ; header(n) : Text to use as a header in row n. ; label(n) : Text to use as a label in row n. ; data(n) : Text to display as data in row n. Note: for any given value for (n), not all combinations of parameters are permitted. The presence of a header''(n)'' parameter will cause the corresponding data''(n)'' (and rowclass''(n)'' label''(n)'', see below) parameters to be ignored; the absence of a data''(n)'' parameters will cause the corresponding label''(n)'' parameters to be ignored. Valid combinations for any single row are: * |class''(n)''= |header''(n)''= * |rowclass''(n)'= |class''(n)''= |data''(n)''= * |rowclass''(n)''= |label''(n)''= |class''(n)''= data''(n)''= See the rendering of header4, label4, and data4 in the [[#Examples|Examples]] section below. ==== Number ranges ==== To allow flexibility when the layout of an infobox is changed, it may be helpful when developing an infobox to use non-contiguous numbers for header and label/data rows. Parameters for new rows can then be inserted in future without having to renumber existing parameters. For example: <pre style="overflow:auto"> | header3 = Section 1 | label5 = Label A | data5 = Data A | label7 = Label C | data7 = Data C | header10 = Section 2 | label12 = Label D | data12 = Data D </pre>{{clear}} ==== Making data fields optional ==== A row with a label but no data is not displayed. This allows for the easy creation of optional infobox content rows. To make a row optional use a parameter that defaults to an empty string, like so: <pre style="overflow:auto"> | label5 = Population | data5 = {{{population|}}} </pre>{{clear}} This way if an article doesn't define the population parameter in its infobox the row won't be displayed. For more complex fields with pre-formatted contents that would still be present even if the parameter wasn't set, you can wrap it all in an "#if" statement to make the whole thing vanish when the parameter is not used. For instance, the "#if" statement in the following example reads "#if:the parameter ''mass'' has been supplied |then display it, followed by 'kg'": <pre style="overflow:auto"> | label6 = Mass | data6 = {{ #if: {{{mass|}}} | {{{mass}}} kg }} </pre>{{clear}} For more on #if, see [[mw:Help:Extension:ParserFunctions##if|here]]. ==== Hiding headers when all data fields are hidden ==== You can also make headers optional in a similar way. Consider this example: {{Infobox | title = Example of an undesirable header | header1 = Undesirable header | label2 = Item 1 | data2 = | label3 = Item 2 | data3 = | label4 = Item 3 | data4 = | header5 = Static header | label6 = Static item | data6 = Static value }} <pre style="overflow:auto"> {{Infobox | title = Example of an undesirable header | header1 = Undesirable header | label2 = Item 1 | data2 = | label3 = Item 2 | data3 = | label4 = Item 3 | data4 = | header5 = Static header | label6 = Static item | data6 = Static value }} </pre>{{clear}} If you want the first header to appear only if one or more of the data fields that fall under it are filled, one could use the following pattern as an example of how to do it: {{Infobox | title = Example of an optional header | header1 = {{ #if: {{{item1|}}}{{{item2|}}}{{{item3|}}} | Optional header }} | label2 = Item 1 | data2 = {{{item1|}}} | label3 = Item 2 | data3 = {{{item2|}}} | label4 = Item 3 | data4 = {{{item3|}}} | header5 = Static header | label6 = Static item | data6 = Static value }} <pre style="overflow:auto"> {{Infobox | title = Example of an optional header | header1 = {{ #if: {{{item1|}}}{{{item2|}}}{{{item3|}}} | Optional header }} | label2 = Item 1 | data2 = {{{item1|}}} | label3 = Item 2 | data3 = {{{item2|}}} | label4 = Item 3 | data4 = {{{item3|}}} | header5 = Static header | label6 = Static item | data6 = Static value }} </pre>{{clear}} header1 will be shown if any of item1, item2, or item3 is defined. If none of the three parameters are defined the header won't be shown and no empty row appears before the next static content. The trick to this is that the "#if" returns false only if there is nothing whatsoever in the conditional section, so only if all three of item1, item2 and item3 are undefined will the if statement fail. Note that such trick may be sometimes very complex to test if there are many data items whose value depends on complex tests (or when a data row is generated by a recursive invocation of this template as a [[#Subboxes|subbox]]). Ideally, the Lua module supporting this template should now support a new way to make each header row autohideable by detecting if there is at least one non-empty data row after that header row (a parameter like "autohide header1 = yes", for example, would remove the need to perform the "#if" test so that we can just to define "header1 = Optional header"), === Footer === ; below : Text to put in the bottom cell. The bottom cell is intended for footnotes, see-also, and other such information. == Presentation parameters == === Italic titles === Titles of articles with infoboxes may be made italic by passing the <code>italic title</code> parameter. * Turn on italic titles by passing |italic title=<nowiki>{{{italic title|}}}</nowiki> from the infobox. * Turn off by default (notably because only Latin script may be safely rendered in this style and italic may be needed to distinguish foreign language from local English language only in that script, but would be difficult to read for other scripts) but allow some instances to be made italic by passing |italic title=<nowiki>{{{italic title|no}}}</nowiki> * Do not make any titles italic by not passing the parameter at all. === CSS styling === ; bodystyle : Applies to the infobox table as a whole ; titlestyle : Applies only to the title caption. Adding a background color is usually inadvisable since the text is rendered "outside" the infobox. ; abovestyle : Applies only to the "above" cell at the top. The default style has font-size:125%; since this cell is usually used for a title, if you want to use the above cell for regular-sized text include "font-size:100%;" in the abovestyle. ; imagestyle : Applies to the cell the image is in. This includes the text of the image caption, but you should set text properties with captionstyle instead of imagestyle in case the caption is moved out of this cell in the future. ; captionstyle : Applies to the text of the image caption. ; rowstyle(n) : This parameter is inserted into the <code>style</code> attribute for the specified row. ; headerstyle : Applies to all header cells ; labelstyle : Applies to all label cells ; datastyle : Applies to all data cells ; belowstyle : Applies only to the below cell === HTML classes and microformats === ; bodyclass : This parameter is inserted into the <code>class</code> attribute for the infobox as a whole. ; titleclass : This parameter is inserted into the <code>class</code> attribute for the infobox's '''title''' caption. <!-- currently not implemented in Lua module ; aboverowclass : This parameter is inserted into the <code>class</code> attribute for the complete table row the '''above''' cell is on. --> ; aboveclass : This parameter is inserted into the <code>class</code> attribute for the infobox's '''above''' cell. ; subheaderrowclass(n) : This parameter is inserted into the <code>class</code> attribute for the complete table row the '''subheader''' is on. ; subheaderclass(n) : This parameter is inserted into the <code>class</code> attribute for the infobox's '''subheader'''. ; imagerowclass(n) : These parameters are inserted into the <code>class</code> attribute for the complete table row their respective '''image''' is on. ; imageclass : This parameter is inserted into the <code>class</code> attribute for the '''image'''. ; rowclass(n) : This parameter is inserted into the <code>class</code> attribute for the specified row including the '''label''' and '''data''' cells. ; class(n) : This parameter is inserted into the <code>class</code> attribute for the '''data''' cell of the specified row. If there's no '''data''' cell it has no effect. <!-- currently not implemented in Lua module ; belowrowclass : This parameter is inserted into the <code>class</code> attribute for the complete table row the '''below''' cell is on. --> ; belowclass : This parameter is inserted into the <code>class</code> attribute for the infobox's '''below''' cell. This template supports the addition of microformat information. This is done by adding "class" attributes to various data cells, indicating what kind of information is contained within. Multiple class names may be specified, separated by spaces, some of them being used as selectors for custom styling according to a project policy or to the skin selected in user preferences, others beig used for microformats. To flag an infobox as containing [[w:hCard|hCard]] information, for example, add the following parameter: <pre style="overflow:auto"> | bodyclass = vcard </pre>{{clear}} And for each row containing a data cell that's part of the vcard, add a corresponding class parameter: <pre style="overflow:auto"> | class1 = fn | class2 = org | class3 = tel </pre>{{clear}} ...and so forth. "above" and "title" can also be given classes, since these are usually used to display the name of the subject of the infobox. See [[w:microformat]] for more information on microformats in general. == Examples == Notice how the row doesn't appear in the displayed infobox when a '''label''' is defined without an accompanying '''data''' cell, and how all of them are displayed when a '''header''' is defined on the same row as a '''data''' cell. Also notice that '''subheaders''' are not bold by default like the '''headers''' used to split the main data section, because this role is meant to be for the '''above''' cell : {{Infobox |name = Infobox/doc |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = Test Infobox |above = Above text |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = |image = [[File:Example-serious.jpg|200px|alt=Example alt text]] |caption = Caption displayed below File:Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} <pre style="overflow:auto"> {{Infobox |name = {{subst:PAGENAME}} |bodystyle = |titlestyle = |abovestyle = background:#cfc; |subheaderstyle = |title = Test Infobox |above = Above text |subheader = Subheader above image |subheader2 = Second subheader |imagestyle = |captionstyle = | image = [[File:Example-serious.jpg|200px|alt=Example alt text]] |caption = Caption displayed below Example-serious.jpg |headerstyle = background:#ccf; |labelstyle = background:#ddf; |datastyle = |header1 = Header defined alone | label1 = | data1 = |header2 = | label2 = Label defined alone does not display (needs data, or is suppressed) | data2 = |header3 = | label3 = | data3 = Data defined alone |header4 = All three defined (header, label, data, all with same number) | label4 = does not display (same number as a header) | data4 = does not display (same number as a header) |header5 = | label5 = Label and data defined (label) | data5 = Label and data defined (data) |belowstyle = background:#ddf; |below = Below text }} </pre>{{clear}} For this example, the '''bodystyle''' and '''labelstyle''' parameters are used to adjust the infobox width and define a default width for the column of labels: {{Infobox |name = Infobox/doc |bodystyle = width:20em |titlestyle = |title = Test Infobox |headerstyle = |labelstyle = width:33% |datastyle = |header1 = | label1 = Label 1 | data1 = Data 1 |header2 = | label2 = Label 2 | data2 = Data 2 |header3 = | label3 = Label 3 | data3 = Data 3 |header4 = Header 4 | label4 = | data4 = |header5 = | label5 = Label 5 | data5 = Data 5: Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. |belowstyle = |below = Below text }} <pre style="overflow: auto"> {{Infobox |name = {{subst:PAGENAME}} |bodystyle = width:20em |titlestyle = |title = Test Infobox |headerstyle = |labelstyle = width:33% |datastyle = |header1 = | label1 = Label 1 | data1 = Data 1 |header2 = | label2 = Label 2 | data2 = Data 2 |header3 = | label3 = Label 3 | data3 = Data 3 |header4 = Header 4 | label4 = | data4 = |header5 = | label5 = Label 5 | data5 = Data 5: Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. |belowstyle = |below = Below text }} </pre>{{clear}} == Embedding == One infobox template can be embedded into another using the |child= parameter or the |embed= parameter. This feature can be used to create a modular infobox, or to create better-defined logical sections. Long ago, it was necessary to use embedding in order to create infoboxes with more than 99 rows; but nowadays there's no limit to the number of rows that can be defined in a single instance of <code><nowiki>{{infobox}}</nowiki></code>. {{Infobox | title = Top level title | data1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | data2 = {{Infobox | decat = yes | child = yes |title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} <pre style="overflow:auto"> {{Infobox | title = Top level title | data1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | data2 = {{Infobox | decat = yes | child = yes |title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} </pre>{{clear}} Note, in the examples above, the child infobox is placed in a <code>data</code> field, not a <code>header</code> field. Notice that the section subheadings are not in bold font if bolding is not explicitly specified. To obtain bold section headings, place the child infobox in a '''header''' field (but not in a '''label''' field because it would not be displayed!), either using {{Infobox | title = Top level title | header1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | header2 = {{Infobox | decat = yes | child = yes | title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} <pre style="overflow:auto"> {{Infobox | title = Top level title | header1 = {{Infobox | decat = yes | child = yes | title = First subsection | label1= Label 1.1 | data1 = Data 1.1 }} | header2 = {{Infobox | decat = yes | child = yes | title = Second subsection | label1= Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} </pre>{{clear}} or, {{Infobox | title = Top level title | header1 = First subsection {{Infobox | decat = yes | child = yes | label1 = Label 1.1 | data1 = Data 1.1 }} | header2 = Second subsection {{Infobox | decat = yes | child = yes | label1 = Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} <pre style="overflow:auto"> {{Infobox | title = Top level title | header1 = First subsection {{Infobox | decat = yes | child = yes | label1 = Label 1.1 | data1 = Data 1.1 }} | header2 = Second subsection {{Infobox | decat = yes | child = yes | label1 = Label 2.1 | data1 = Data 2.1 }} | belowstyle = | below = Below text }} </pre>{{clear}} Note that omitting the |title= parameter, and not including any text preceding the embedded infobox, may result in spurious blank table rows, creating gaps in the visual presentation. == Subboxes == An alternative method for embedding is to use |subbox=yes, which removes the outer border from the infobox, but preserves the interior structure. One feature of this approach is that the parent and child boxes need not have the same structure, and the label and data fields are not aligned between the parent and child boxes because they are not in the same parent table. {{Infobox | headerstyle = background-color:#eee; | labelstyle = background-color:#eee; | header1 = Main 1 | header2 = Main 2 | data3 = {{Infobox | subbox = yes | headerstyle = background-color:#ccc; | labelstyle = background-color:#ddd; | header1 = Sub 3-1 | header2 = Sub 3-2 | label3 = Label 3-3 | data3 = Data 3-3 }} | data4 = {{Infobox | subbox = yes | labelstyle = background-color:#ccc; | label1 = Label 4-1 | data1 = Data 4-1 }} | label5 = Label 5 | data5 = Data 5 | header6 = Main 6 }} <source lang="sass" style="overflow:auto"> {{Infobox | headerstyle = background-color:#eee; | labelstyle = background-color:#eee; | header1 = Main 1 | header2 = Main 2 | data3 = {{Infobox | subbox = yes | headerstyle = background-color:#ccc; | labelstyle = background-color:#ddd; | header1 = Sub 3-1 | header2 = Sub 3-2 | label3 = Label 3-3 | data3 = Data 3-3 }} | data4 = {{Infobox | subbox = yes | labelstyle = background-color:#ccc; | label1 = Label 4-1 | data1 = Data 4-1 }} | label5 = Label 5 | data5 = Data 5 | header6 = Main 6 }} </source>{{clear}} Note that the default padding of the parent data cell containing each subbox is still visible, so the subboxes are slightly narrower than the parent box and there's a higher vertical spacing between standard cells of the parent box than between cells of distinct subboxes. == Full blank syntax == (Note: there is no limit to the number of possible rows; only 20 are given below since infoboxes larger than that will be relatively rare. Just extend the numbering as needed. The microformat "class" parameters are also omitted as they are not commonly used.) <pre style="overflow:auto"> {{Infobox | name = {{subst:PAGENAME}} | child = {{{child|}}} | subbox = {{{subbox|}}} | italic title = {{{italic title|no}}} | bodystyle = | titlestyle = | abovestyle = | subheaderstyle = | title = | above = | subheader = | imagestyle = | captionstyle = | image = | caption = | image2 = | caption2 = | headerstyle = | labelstyle = | datastyle = | header1 = | label1 = | data1 = | header2 = | label2 = | data2 = | header3 = | label3 = | data3 = | header4 = | label4 = | data4 = | header5 = | label5 = | data5 = | header6 = | label6 = | data6 = | header7 = | label7 = | data7 = | header8 = | label8 = | data8 = | header9 = | label9 = | data9 = | header10 = | label10 = | data10 = | header11 = | label11 = | data11 = | header12 = | label12 = | data12 = | header13 = | label13 = | data13 = | header14 = | label14 = | data14 = | header15 = | label15 = | data15 = | header16 = | label16 = | data16 = | header17 = | label17 = | data17 = | header18 = | label18 = | data18 = | header19 = | label19 = | data19 = | header20 = | label20 = | data20 = | belowstyle = | below = }} </pre>{{clear}} ==See also== * [[Module:Infobox]], the [[mw:Lua/Overview|Lua]] module on which this template is based * [[w:Wikipedia:List of infoboxes|List of infoboxes]] 38686ab37d436b2158042649ea6e552897fbcfa5 Darth Swagbeard 0 37 540 84 2023-08-04T01:50:25Z Subaluwa 2 wikitext text/x-wiki {{Vermin |name = Darth "Swagbeard" Beardington |image = Swagbeard.png |imagesize = 300px }} '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. Paranormal Investigator Jim later drank the ghost of Brick Trickem Forever, got roided on ectoplasm, ascended to brickhood, had his chest punched out by a Blood Grabape, and became undead. cee338dfd4efa9d1e5587ea3fbe553f75c0cb5de 710 540 2023-08-04T10:07:09Z Subaluwa 2 Undo revision 540 by [[Special:Contributions/Subaluwa|Subaluwa]] ([[User talk:Subaluwa|talk]]) wikitext text/x-wiki [[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. Paranormal Investigator Jim later drank the ghost of Brick Trickem Forever, got roided on ectoplasm, ascended to brickhood, had his chest punched out by a Blood Grabape, and became undead. d08b56881b76892151cf240df055d8b68e0bbee9 Ralphie Host 0 185 711 483 2023-08-09T11:24:54Z Subaluwa 2 wikitext text/x-wiki [[File:Ralphie Host.png|thumb]] '''Ralphie Host''' is some guy who used an eldritch anomaly for bags of cash and free beer. ==Information== In order to get back his four artifacts that some people stole from him, Ralphie Host held Bullet Hell 1, 2, and 3 on a deserted jungle island. The champions of these were [[Attack Defense System]], [[Cirgnome]], and [[Papa Roach]], who all defeated the holders of the artifacts. [[Gaalm]] sent The Seeker out after each of the champs, but Attack Defense System and Cirgnome managed to evade him long enough to return the artifacts to Ralphie Host. Papa Roach was not so lucky. [[File:Ralphie host dead.jpg|thumb]] After The Seeker brutally murdered Papa Roach canonically irl, Gaalm used Papa Roach's retrieved artifact to enter the [[new universe|vermin universe]] and return to the anomaly, which was his project to reshape all of reality to his will. Gaalm got annoyed that Ralphie Host was using his project to manifest cash and booze, and tore him apart with hooks. It turns out that the wizard-looking Ralphie Host was actually just a husk used as a disguise for the real Ralphie Host, who is a fucked up shadow guy. [[Category:Hosts]] [[Category:Deceased]] 2939dcec48fe556e01ec0f8297c980daac7f050f File:Warlady napalma sheet.png 6 298 712 2023-08-12T03:15:54Z Nonny 13 wikitext text/x-wiki Vermin sheet for [[Warlady Napalma]]. bda7f12f63cd77aa68ccef243e818f30d4ef9839 Warlady Napalma 0 299 713 2023-08-12T03:24:00Z Nonny 13 Starting the Warlady Napalma article. wikitext text/x-wiki [[File:Warlady napalma sheet.png|thumb|The sheet for '''Warlady Napalma.''']] '''Warlady Sewrayyan Napalma''' is the current queen of [[Awoogalia]], having bested the previous unknown one in combat. She rides the mechanical beast '''RATTY''' into battle. She fights for TITS and has a gremlin-esque and rat-admiring personality. She acquired a mechanical body after being severely injured by a landmine, but over time she would have a more organic-seeming body built. She also became more rat-like in the process. ==Trivia== * Napalma was not created in the same sort of pageant as the rulers of the [[Divided Kingdoms]], but her creation process was done in the same means. * Meaning behind "Sewrayyan": "Sew" comes from the definition of "mend" which is like how she would make guns from scratch, and "rayyan" is an Arabic name meaning "watered, luxuriant," fitting for being the queen of an island nation. [[Cateogory: Vermin]] ab1b34c805355640197e48858b9b5eae28c0b944 714 713 2023-08-12T03:24:24Z Nonny 13 wikitext text/x-wiki [[File:Warlady napalma sheet.png|thumb|The sheet for '''Warlady Napalma.''']] '''Warlady Sewrayyan Napalma''' is the current queen of [[Awoogalia]], having bested the previous unknown one in combat. She rides the mechanical beast '''RATTY''' into battle. She fights for TITS and has a gremlin-esque and rat-admiring personality. She acquired a mechanical body after being severely injured by a landmine, but over time she would have a more organic-seeming body built. She also became more rat-like in the process. ==Trivia== * Napalma was not created in the same sort of pageant as the rulers of the [[Divided Kingdoms]], but her creation process was done in the same means. * Meaning behind "Sewrayyan": "Sew" comes from the definition of "mend" which is like how she would make guns from scratch, and "rayyan" is an Arabic name meaning "watered, luxuriant," fitting for being the queen of an island nation. [[Category: Vermin]] 57f696d89c97504e3c9213aa3138797a02a76cf7 Awoogalia 0 180 715 487 2023-08-12T03:30:22Z Nonny 13 wikitext text/x-wiki [[File:Awoogalia.png|thumb|[[women]]|500px]] '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. Little information is known about the kingdom at this time, except for the fact that they fucking love war. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. *Awoogalia was originally a one-off joke that wasn't meant to amount to anything, but the idea turned out to be popular enough and resulted in enough discussion for it to amount to a new region in the Vermin world. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> fcb0a0e98c45a90cc761cb6c2507cb30a056dbe8 719 715 2023-08-15T16:30:38Z 81.110.14.248 0 testing don't mind me wikitext text/x-wiki <imagemap> File:Awoogalia.png|thumb|500px|Map rect 269 140 344 305 [[Ballingypt]] desc none </imagemap>'''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. Little information is known about the kingdom at this time, except for the fact that they fucking love war. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. *Awoogalia was originally a one-off joke that wasn't meant to amount to anything, but the idea turned out to be popular enough and resulted in enough discussion for it to amount to a new region in the Vermin world. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> f11a2674662be09cc08e7f9c6474c97756ed575e Mag N. Ficent 0 147 716 318 2023-08-12T03:32:17Z Nonny 13 wikitext text/x-wiki [[File:Mag n ficent.png|thumb]] '''Mag N. Ficent''' is the clown prince of crime, as well as the clown prince (king) of [[Hahalatia]], one of the [[Divided Kingdoms]]. Mag N. Ficent always does whatever he deems the most comedic at the time. That sometimes includes war crimes... but only the most hilarious of war crimes. ==Information== "Wouldn't it be funny if i accidentally nuked my own kingdom?" Thus, the Comedy Crater, which emits Comedy Fumes at all times. Thousands dead, but millions laughed. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center [[Category: Vermin]] 0499b8e01a5e786e48399e93305d8909814b2e5e The Incisor 0 137 717 298 2023-08-12T03:32:46Z Nonny 13 wikitext text/x-wiki [[File:The Incisor.png|thumb]] '''The Incisor''', also known as the '''Disasticastor''', is the king of [[Tunguska]], one of the [[Divided Kingdoms]]. ==Information== The Incisor was once a benevolent and hardworking warrior-king. He had been elevated to his position due to his tendency to protect defenseless vermin and also his natural ability to harvest the holy Star Wood from the charred forests of Tonguska more efficiently than any other vermin. The beaver king would even volunteer to singlehandedly build homes and furniture for every new vermin that washed up on the shores of his kingdom which only heightened the respect and admiration he received from his subjects. But with each new castaway islander came stories rife with peril. Violent fighting tournaments were increasing in popularity on the [[Vermerica|mainland]]. Rumors circulated that villainous vermin were conspiring together to take over entire cities. There were even urban legends of a seemingly innocent [[Duel Host|children's card game]] whose outcome resulted in the souls of vermin becoming trapped in a bizarre shadow dimension for all of eternity. The king's growing concern for the safety of his people eventually turned to obsession. It mattered not how many evil vermin he felled, how sturdily built were his houses, nor how comfortable were his handcrafted ottomans... Danger seemed to be ever creeping towards the peaceful island of Tonguska and the vermin he had vowed to protect. One night while the beaver king tossed and turned in bed, unable to sleep with thoughts of future dangers haunting his dreams, a voice spoke into his mind. It introduced itself as a neighbor from across the stars, and friend to all who harvested timber. It whispered grim tidings and dark secrets to the beaver king. Shaken by what he had heard the king begged the voice for a solution to this inevitable danger. The voice consoled the beaver king introducing itself as the Wood God who long ago blessed Tonguska with a falling star of holy flame. The Wood God told the ruler that if he and the people of Tonguska offered up their precious Star Wood as a sacrifice in the Wood God's name it would bless the beaver-king with the power to protect his subjects. From that day forth the beaver-king was relentless in the harvest of Star Wood. And the Wood God, true to its word, bestowed a dark blessing on the beaver-king. The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the islanders of Tonguska. They also made the king an unstoppable force in battle, and even more effective at harvesting timber for sacrifice. The vermin of Tonguska soon noticed a change in their beloved king... The beaver king had become single-minded in his mission to sacrifice Star Wood to the Wood God. His appearance became less benign and what was once a welcoming demeanor towards visitors became suspicious if not outright hostile to outsider vermin who seemed like they might cause unnecessary danger to his subjects. Superstitious and cowardly vermin the world over soon learned to fear the beaver-king they nicknamed The Incisor and would think twice before hatching any schemes on Tunguska. Although his subjects do miss the king's former kindly nature, and some may privately question the true nature of their patron deity, they wouldn't trade it for their newfound security and prosperity. As the Tunguskan saying goes: ''WOOD FOR THE WOOD GOD'' [[Category: Vermin]] 00316f9d2a7219356bac82207e8b721771d62e60 Greater Ohio 0 28 718 457 2023-08-15T04:57:52Z Subaluwa 2 wikitext text/x-wiki [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Divided Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. However, the sentient runestones turned on their creators and wiped out the kingdom, which is now occupied by the runestones' descendants. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== Ohio and ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ share an uneasy truce due to both being fallen kingdoms full of angst and trauma. However, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ harbors unspoken envy for Ohio's rich, flowing fields of grain. ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. [[Category:Kingdoms]] [[Category:Greater Ohio]] 8fc8efc381159b89f3ca0c24adad8460ce288937 Awoogalia 0 180 720 719 2023-08-15T16:31:35Z 81.110.14.248 0 Image maps don't work unfortunately :( wikitext text/x-wiki [[File:Awoogalia.png|thumb|[[women]]|500px]] '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. Little information is known about the kingdom at this time, except for the fact that they fucking love war. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. *Awoogalia was originally a one-off joke that wasn't meant to amount to anything, but the idea turned out to be popular enough and resulted in enough discussion for it to amount to a new region in the Vermin world. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> fcb0a0e98c45a90cc761cb6c2507cb30a056dbe8 735 720 2023-08-15T20:42:32Z Subaluwa 2 wikitext text/x-wiki <imagemap> File:Awoogalia.png|thumb|500px|Map rect 87 302 247 504 [[Ballingypt]] desc none </imagemap> '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. Little information is known about the kingdom at this time, except for the fact that they fucking love war. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. *Awoogalia was originally a one-off joke that wasn't meant to amount to anything, but the idea turned out to be popular enough and resulted in enough discussion for it to amount to a new region in the Vermin world. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> 6ad3c5268511cfb26f03f4467920e70a208ee7a8 749 735 2023-08-15T21:48:44Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Zoomed in awoo.png|thumb|women]] '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. Little information is known about the kingdom at this time, except for the fact that they fucking love war. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. *Awoogalia was originally a one-off joke that wasn't meant to amount to anything, but the idea turned out to be popular enough and resulted in enough discussion for it to amount to a new region in the Vermin world. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> 60acc239e27fde7f4f4e0e2b9276a2c49e638391 The Office™ 0 72 721 144 2023-08-15T16:53:41Z Moth Anon 9 Employees standings update wikitext text/x-wiki '''The Office™''' is a building in [[Yas Blamgeles]]. It is the working place of several Employees™, including [["NSFW-Fury"]]. ==Information== The Office™ is a relatively tall building with uncountably infinite floors. Accessing each floor of The Office™, despite this, is fairly easy - all one does is think about the floor they want to access and the elevator will take them there in a matter of seconds. While visitors are limited, the Employees™ of The Office™ are allowed to roam the building as they please, provided they have finished their day's work first. Thankfully, time is broken within The Office™, and it's not uncommon for those within to finish their work within a 'real world' minute or two. ==Employees™== An Employee™ of The Office™ is easily recognizable by the following characteristics: - Typically non-descript body with an object for a head. They are usually dressed formally, though this is not a requirement. - Employees™ rarely use their names, especially past Stage 1 - the stronger an Employee™, the better their Position™, and the easier it is for others to recognize them through a Nickname™. - Champs™ of The Office™ will see their image immortalized through an "Employee™ Of The Month™" frame, both over their desk, and the Wall of Fame™. ==Staff™== * The CEO™ [CEO] * [["NSFW-Fury"]] (Champion of Gnaw Tournament 1) [Head of Workplace Safety] * Snowflake (retired in Gnaw's Christmas Tournament) [HR Department] * Jala-niño (runner-up of Bullet Hell #3) [Underpaid intern] * Jani-Jani (retired in Sunnydaze 8) [Janitor] * Xeroxen (Retired in Tulip Heart Tournament 1) [The CEO™'s Pet] * ??? [Receptionist] * (You) ==Trivia== 505052e175dfcc08162172b975fdf0bd00880710 File:Oshabreakersheet.png 6 300 722 2023-08-15T17:00:28Z Moth Anon 9 OSHA-Breaker's sheet wikitext text/x-wiki == Summary == OSHA-Breaker's sheet 9996f1a4f4663b43d19f5f26780a27a7458c0df2 File:Thumbsup.png 6 301 723 2023-08-15T17:03:13Z Moth Anon 9 "NSFW-Fury"'s emote, a generic thumbs up. wikitext text/x-wiki == Summary == "NSFW-Fury"'s emote, a generic thumbs up. 20197f10fcc48fe391b59f3d525ab5e53295b014 "NSFW-Fury" 0 302 724 2023-08-15T17:12:08Z Moth Anon 9 Created page with "[[File:oshabreakersheet.png|thumb|right|"NSFW-Fury"'s full sheet.]] '''"NSFW-Fury"''' (real name '''OSHA-Breaker''', also known as '''"Office-Racer"''' and '''That one cunt who won't stop racing on chairs''') is an Employee™ of [[The Office™]], and the champion of Gnaw Tournament 1 (also known as Gnaw Tournament 5 2). He is the Head of Workplace Safety. == Performance == ===Gnaw Tournament 1=== *R1F16: vs. Sissy (won) *R2F8: vs. Ferngonopsid (won) *R3F4: vs. Jumpin..." wikitext text/x-wiki [[File:oshabreakersheet.png|thumb|right|"NSFW-Fury"'s full sheet.]] '''"NSFW-Fury"''' (real name '''OSHA-Breaker''', also known as '''"Office-Racer"''' and '''That one cunt who won't stop racing on chairs''') is an Employee™ of [[The Office™]], and the champion of Gnaw Tournament 1 (also known as Gnaw Tournament 5 2). He is the Head of Workplace Safety. == Performance == ===Gnaw Tournament 1=== *R1F16: vs. Sissy (won) *R2F8: vs. Ferngonopsid (won) *R3F4: vs. Jumpin' Jack Flash (won) *R4F2: vs. Severe Voltiana (won) *R5F1/Finals: vs. Rag'nav'zganyalo the Awoken (won) == Lore == [[File:thumbsup.png|left|"nsfwthumbsup", a generic thumbs up emoji in the VFC server. Rarely used, if at all.]] Despite the nickname and a rather intense racing stint during break hours, "NSFW-Fury" is actually a rather reserved individual most of the time. He does his job dilligently, ensuring every chair, desk, computer and even inch of the building is up to regulation so that accidents are minimized even in what seems to be incredibly dangerous chair racing. As the first (and currently only) member of the Wall of Fame™, "NSFW-Fury" will thank all the praise he gets for the award, though he refuses to gloat, and states that he simply "got lucky". ead1a9987c597adc282e8fe314286cb1543ec93f File:Doinsentry.png 6 303 725 2023-08-15T17:31:25Z Atrum32 17 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Minisentry.png 6 304 726 2023-08-15T17:31:40Z Atrum32 17 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Surbitsentry.png 6 305 727 2023-08-15T17:31:51Z Atrum32 17 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Sentientsentry.png 6 306 728 2023-08-15T17:32:01Z Atrum32 17 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard 0 307 729 2023-08-15T17:37:18Z Atrum32 17 xd wikitext text/x-wiki '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is one of the five champions of Doin Tournament 1 and is a member of Team Ghost in the Machines, alongside Plucky Pat, Bunker Rush, Gyrobot and STELLAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA. [[File:Sentientsentry.png|thumb|The most recent, humanoid form of Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] ==Performance== ===Whippersnapper Tournament II (4v2)=== Note that Doin Tournament 1 was done in a round-robin format, so theren't really "rounds" to speak of. *F1: vs. Sunday Scholars (won) *F2: vs. Blades of Navy (won) *F3: vs. Feast for the Menaces (won) ==Information== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is a sentry gun that originates from the Surbit dimension, a small pocket of alternate spacetime located on the outskirts of Yas Blamgeles. There are thousands of identical Sentry Guns located in the Surbit dimension, but '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is the only thing known to have escaped from the Surbit dimension thus far. Recently, he has been showing signs of rapid evolution, showing signs of sentience sometime prior to the Doin tournament, and recently even sporting a pair of arms and legs, features no other species from the Surbit dimension is known to possess. It is unknown whether these features are due to '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' being somehow different, or if exposure to the Vermin world has brought about these changes. ==Lore== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' was once a Sentry Gun like any other; a non-sentient and immobile entity residing in the Surbit dimension. However, something caused a micro-distortion in the dimension which caused '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' to appear outside of the Surbit dimension in the outskirts of Yas Blemengles. Nobody knows for sure what caused this event but some speculate that it was caused by stacking too many Slow Beacons in one place. While initially it reflexively only attacked creatures that got nearby, as it had always done, over the course of many decades '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' had gained sentience and self-locomotion. Though it is unable to communicate, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is showing signs of vastly increasing intelligence and the ability to adapt very quickly to its surroundings. After its victory in Doin Tournament 1, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' used its newfound wealth to kickstart a home defense and security business, now showing more and more humanoid features.<gallery> File:Minisentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s initial form, identical to other Sentry Guns as seen in the Surbit Dimension. File:Surbitsentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s appearance as seen in Doin Tournament 1. File:Doinsentry.png|'''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' as a card holder in Doin Tournament 2. </gallery> ==Trivia== *How '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' actually moves is unknown. a53a70a95136c380d18361e4255074025c2ec7fe 731 729 2023-08-15T17:41:21Z Atrum32 17 /* Whippersnapper Tournament II (4v2) */ wikitext text/x-wiki '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is one of the five champions of Doin Tournament 1 and is a member of Team Ghost in the Machines, alongside Plucky Pat, Bunker Rush, Gyrobot and STELLAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA. [[File:Sentientsentry.png|thumb|The most recent, humanoid form of Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] ==Performance== ===Whippersnapper Tournament II (4v2)=== Note that Doin Tournament 1 was done in a round-robin format, so there aren't really "rounds" to speak of. *F1: vs. Sunday Scholars (won) *F2: vs. Blades of Navy (won) *F3: vs. Feast for the Menaces (won) ==Information== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is a sentry gun that originates from the Surbit dimension, a small pocket of alternate spacetime located on the outskirts of Yas Blamgeles. There are thousands of identical Sentry Guns located in the Surbit dimension, but '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is the only thing known to have escaped from the Surbit dimension thus far. Recently, he has been showing signs of rapid evolution, showing signs of sentience sometime prior to the Doin tournament, and recently even sporting a pair of arms and legs, features no other species from the Surbit dimension is known to possess. It is unknown whether these features are due to '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' being somehow different, or if exposure to the Vermin world has brought about these changes. ==Lore== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' was once a Sentry Gun like any other; a non-sentient and immobile entity residing in the Surbit dimension. However, something caused a micro-distortion in the dimension which caused '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' to appear outside of the Surbit dimension in the outskirts of Yas Blemengles. Nobody knows for sure what caused this event but some speculate that it was caused by stacking too many Slow Beacons in one place. While initially it reflexively only attacked creatures that got nearby, as it had always done, over the course of many decades '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' had gained sentience and self-locomotion. Though it is unable to communicate, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is showing signs of vastly increasing intelligence and the ability to adapt very quickly to its surroundings. After its victory in Doin Tournament 1, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' used its newfound wealth to kickstart a home defense and security business, now showing more and more humanoid features.<gallery> File:Minisentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s initial form, identical to other Sentry Guns as seen in the Surbit Dimension. File:Surbitsentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s appearance as seen in Doin Tournament 1. File:Doinsentry.png|'''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' as a card holder in Doin Tournament 2. </gallery> ==Trivia== *How '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' actually moves is unknown. ebc2c285e8dc78ab56b7bd2d87588b1410cb3af9 732 731 2023-08-15T17:42:39Z Atrum32 17 wikitext text/x-wiki '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is one of the five champions of Doin Tournament 1 and is a member of Team Ghost in the Machines, alongside Plucky Pat, Bunker Rush, Gyrobot and STELLAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA. [[File:Sentientsentry.png|thumb|The most recent, humanoid form of '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''']] ==Performance== ===Whippersnapper Tournament II (4v2)=== Note that Doin Tournament 1 was done in a round-robin format, so there aren't really "rounds" to speak of. *F1: vs. Sunday Scholars (won) *F2: vs. Blades of Navy (won) *F3: vs. Feast for the Menaces (won) ==Information== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is a sentry gun that originates from the Surbit dimension, a small pocket of alternate spacetime located on the outskirts of Yas Blamgeles. There are thousands of identical Sentry Guns located in the Surbit dimension, but '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is the only thing known to have escaped from the Surbit dimension thus far. Recently, he has been showing signs of rapid evolution, showing signs of sentience sometime prior to the Doin tournament, and recently even sporting a pair of arms and legs, features no other species from the Surbit dimension is known to possess. It is unknown whether these features are due to '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' being somehow different, or if exposure to the Vermin world has brought about these changes. ==Lore== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' was once a Sentry Gun like any other; a non-sentient and immobile entity residing in the Surbit dimension. However, something caused a micro-distortion in the dimension which caused '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' to appear outside of the Surbit dimension in the outskirts of Yas Blemengles. Nobody knows for sure what caused this event but some speculate that it was caused by stacking too many Slow Beacons in one place. While initially it reflexively only attacked creatures that got nearby, as it had always done, over the course of many decades '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' had gained sentience and self-locomotion. Though it is unable to communicate, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is showing signs of vastly increasing intelligence and the ability to adapt very quickly to its surroundings. After its victory in Doin Tournament 1, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' used its newfound wealth to kickstart a home defense and security business, now showing more and more humanoid features.<gallery> File:Minisentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s initial form, identical to other Sentry Guns as seen in the Surbit Dimension. File:Surbitsentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s appearance as seen in Doin Tournament 1. File:Doinsentry.png|'''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' as a card holder in Doin Tournament 2. </gallery> ==Trivia== *How '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' actually moves is unknown. 112fc0eac2499b6a795a2e2e85f8d8be193232f9 Main Page 0 1 730 504 2023-08-15T17:37:46Z Atrum32 17 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] * [[King GruBLAM!]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] 7d548300e0a2a9ba5e008a89748bccc9e587f17d 733 730 2023-08-15T17:43:51Z Atrum32 17 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] * [[King GruBLAM!]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [["NSFW-Fury"]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] 33a97a7ae70b645555f186c8a0280095c9beef1c 734 733 2023-08-15T17:47:06Z Atrum32 17 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] * [[King GruBLAM!]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [["NSFW-Fury"]] * [[Darth Swagbeard]] * [[Papa Roach]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] fef82c821bb22887af2aef74fdd04b61e3763e21 754 734 2023-08-18T00:10:45Z Subaluwa 2 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Vermin and Hosts]] * [[Lord of Misrule]] * [[Skultists]] * [[Imp cult]] * [[Coin Host]] * [[My Kitchen]] * [[Ultra ""Host""]] * [[King GruBLAM!]] ==Vermin== ===Champions=== * [[Swagbeard]] * [[Average Dinglesaur]] * [[YAAAS]] * [[Macroevolution]] * [[Dinoangulus]] * [[Stringleader]] * [[Matchliacci]] * [[Cirgnome]] * [[Beukhoofd]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [["NSFW-Fury"]] * [[Darth Swagbeard]] * [[Papa Roach]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] 4a3439e6cbce8614bb36aa79330f0b29b63f3213 762 754 2023-08-25T04:57:02Z NLD 3 Alphabetized listings and added some wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Coin Host]] * [[Imp cult|Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Ultra ""Host""]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] 590937c164cc2ba799d5d358486b58c9ae7a41c5 763 762 2023-08-25T04:57:27Z NLD 3 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' This wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Coin Host]] * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Ultra ""Host""]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] f629f784f18eb91d6def9fc15bbd0374c100d79e 765 763 2023-08-25T16:48:28Z 181.40.120.206 0 /* Welcome to the VFC Wiki! */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Coin Host]] * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Ultra ""Host""]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] 96f4034acf5c3331d69088ba871fe5f20f9eaa7c File:Five kingdoms hq with awoogalia.png 6 308 736 2023-08-15T21:23:37Z Atrum32 17 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Template:InteractiveMap 10 309 737 2023-08-15T21:39:22Z Atrum32 17 Created page with "=== <center>Click an area of the map to travel to its article.</center> === <imagemap> File:Five kingdoms hq with awoogalia.png|center|500px|Click an area of the map to travel to its article. poly 101 336 135 341 166 326 195 314 235 297 242 309 228 334 228 363 217 395 221 431 250 491 211 498 176 495 130 478 99 449 91 411 89 367 [[Ballingypt]] poly 102 323 134 327 192 299 231 287 231 245 217 243 204 205 218 146 197 134 171 133 162 120 134 138 99 171 87 207 56 246 66 291 9..." wikitext text/x-wiki === <center>Click an area of the map to travel to its article.</center> === <imagemap> File:Five kingdoms hq with awoogalia.png|center|500px|Click an area of the map to travel to its article. poly 101 336 135 341 166 326 195 314 235 297 242 309 228 334 228 363 217 395 221 431 250 491 211 498 176 495 130 478 99 449 91 411 89 367 [[Ballingypt]] poly 102 323 134 327 192 299 231 287 231 245 217 243 204 205 218 146 197 134 171 133 162 120 134 138 99 171 87 207 56 246 66 291 95 304 [[Greater Ohio]] poly 178 112 234 100 257 90 247 38 286 21 336 29 346 50 342 90 388 108 480 170 440 171 392 154 369 144 335 152 315 203 301 215 295 231 273 223 227 237 214 207 229 137 179 125 [[Hahalatia]] poly 314 221 333 210 350 158 375 156 414 175 461 182 500 176 535 233 536 284 500 314 468 334 442 316 443 299 388 281 361 276 352 262 323 262 310 245 [[EEEEEEEEE]] poly 313 271 355 292 404 296 428 308 430 323 411 342 413 400 390 428 340 453 289 478 260 486 230 421 229 396 242 367 240 334 252 313 299 298 [[Tunguska]] circle 556 554 19 [[Awoogalia]] circle 271 269 34 [[The Seer]] desc bottom-left </imagemap> 33eed4706bd726ea04a00f55d59af0ab3073b480 740 737 2023-08-15T21:45:51Z Atrum32 17 wikitext text/x-wiki ''' <center>Click an area of the map to travel to its article.</center> ''' <imagemap> File:Five kingdoms hq with awoogalia.png|center|500px|Click an area of the map to travel to its article. poly 101 336 135 341 166 326 195 314 235 297 242 309 228 334 228 363 217 395 221 431 250 491 211 498 176 495 130 478 99 449 91 411 89 367 [[Ballingypt]] poly 102 323 134 327 192 299 231 287 231 245 217 243 204 205 218 146 197 134 171 133 162 120 134 138 99 171 87 207 56 246 66 291 95 304 [[Greater Ohio]] poly 178 112 234 100 257 90 247 38 286 21 336 29 346 50 342 90 388 108 480 170 440 171 392 154 369 144 335 152 315 203 301 215 295 231 273 223 227 237 214 207 229 137 179 125 [[Hahalatia]] poly 314 221 333 210 350 158 375 156 414 175 461 182 500 176 535 233 536 284 500 314 468 334 442 316 443 299 388 281 361 276 352 262 323 262 310 245 [[EEEEEEEEE]] poly 313 271 355 292 404 296 428 308 430 323 411 342 413 400 390 428 340 453 289 478 260 486 230 421 229 396 242 367 240 334 252 313 299 298 [[Tunguska]] circle 556 554 19 [[Awoogalia]] circle 271 269 34 [[The Seer]] desc bottom-left </imagemap> 4cd35ffdd6b80572d7fade5cd8036e41e8781f07 User:Subaluwa 2 14 738 26 2023-08-15T21:39:39Z Subaluwa 2 wikitext text/x-wiki [[File:3d saul goodman.gif]] {{Vermin}} dc909b19506bb4cf077e9896751b1103f4c74fdc 739 738 2023-08-15T21:44:29Z Subaluwa 2 wikitext text/x-wiki [[File:3d saul goodman.gif]] <center>test {{Vermin}} </center> ed5e1f7d0f71fde03d6e504635bf16d310597f00 742 739 2023-08-15T21:46:15Z Subaluwa 2 wikitext text/x-wiki [[File:3d saul goodman.gif]] test test test <div style='text-align: right;'> test {{Vermin}} </div> b0c2c2cebaa92de5ac985b5caffd509b8e99d69a The Divided Kingdoms 0 8 741 458 2023-08-15T21:46:11Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Five kingdoms map notext.png|thumb]][[File:Kingdoms spongebob.png|thumb]] The five '''Divided Kingdoms''' are on an island to the northwest of [[Vermerica]] and [[Yas Blamgeles]]. They are ruled over by [[The Seer]] and his five guys. ==Kingdoms== *[[Greater Ohio]] *[[Hahalatia]] *[[EEEEEEEEE]] *[[Tunguska]] *[[Ballingypt]] ==Kings== *[[Archmungus Emeloth]] *[[Mag N. Ficent]] *[[Grimmald]] *[[The Incisor]] *[[Gato Supreme]] [[File:Da counter chart.png|thumb|Very true and really official power dynamic of the kingdoms]] <youtube>ADYzngt9wdg</youtube> ==See also== *[[Cannabis in the Divided Kingdoms]] [[Category:Kingdoms]] 155b4284bdf0cb0a5f2167b25e5b0420ba4cb7e8 EEEEEEEEE 0 50 743 477 2023-08-15T21:46:35Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' (Common Goopese: ✨ ([https://www.youtube.com/watch?v=w-Hr3XFJ8FA listen])) is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be it' forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ===Terrain=== The rugged, toxic terrain permeating the kingdom makes it nearly impossible to traverse safely on foot. Most citizens use specialized racecars to go from place to place. You ''can'' teleport between bonfires, but that's for casuals. <youtube>https://youtu.be/v-3XhuOfV8E</youtube> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The national sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] 19978551b67044086ca24a570554c7e1ed9f0d08 Tunguska 0 57 744 295 2023-08-15T21:46:46Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] eb3f8332d604d65c9d51ba657841a6fd7ef4f5a7 Ballingypt 0 59 745 419 2023-08-15T21:46:55Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously, so much so that the main means of transportation are either jogging or, for long distances, cycling. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. Some architecture of the neighboring region, the Deserted Dessert Desert, seem to be quite similar to Ballingypt's, albeit with a candy-themed spin to it, and, due to the current largely deserted situation of the same, the connection remains ambiguous. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 7a47f569b435a47f62c1602d35be832da76ad3c3 Greater Ohio 0 28 746 718 2023-08-15T21:47:05Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Divided Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. However, the sentient runestones turned on their creators and wiped out the kingdom, which is now occupied by the runestones' descendants. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== Ohio and ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ share an uneasy truce due to both being fallen kingdoms full of angst and trauma. However, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ harbors unspoken envy for Ohio's rich, flowing fields of grain. ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. [[Category:Kingdoms]] [[Category:Greater Ohio]] edd720bebb78581df22151a8722f78dc3888b4e8 Hahalatia 0 47 747 320 2023-08-15T21:47:22Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. Under Hahalatia... there are things there which may or may not be funny. It's said that the jokes go over their head all the time... It's called, "The Bottom of the Barrel". ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== [[File:Hahalatia political comic.png|thumb]] ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] c4a77b26f105cf97e82154c1f23b221587916cf1 751 747 2023-08-17T11:11:08Z Subaluwa 2 /* Inter-kingdom relations */ wikitext text/x-wiki {{InteractiveMap}} [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]]The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. Under Hahalatia... there are things there which may or may not be funny. It's said that the jokes go over their head all the time... It's called, "The Bottom of the Barrel". ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== [[File:Hahalatia political comic.png|thumb]] ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. === [[Awoogalia]] === The other kingdoms have tried to shake hands with Mag N. Ficent in a show of good faith, but he always did the high voltage hand buzzer on them and things go south from there. It's always a good laugh though. Awoogalia is the one kingdom on good relations with Hahalatia because Mag N. Ficent did the hand buzzer trick but accidentally powered up Napalma's batteries and she thought he did it on purpose. Mag N. Ficent has a supernatural psychic sense for jokes, like if you were immune to electricity because you drank a resistance potion or whatever, he'd know, and adjust his prank accordingly. So he used the joy buzzer powered by a special electricity that makes robots constipated. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] a17f29ad97f6dcdfb2b6de2c59a9a402f87d7f0d 753 751 2023-08-17T11:13:09Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]] [[File:Hahalatia flag.png|thumb|The flag of Hahalatia]] The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. Under Hahalatia... there are things there which may or may not be funny. It's said that the jokes go over their head all the time... It's called, "The Bottom of the Barrel". ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== [[File:Hahalatia political comic.png|thumb]] ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. === [[Awoogalia]] === The other kingdoms have tried to shake hands with Mag N. Ficent in a show of good faith, but he always did the high voltage hand buzzer on them and things go south from there. It's always a good laugh though. Awoogalia is the one kingdom on good relations with Hahalatia because Mag N. Ficent did the hand buzzer trick but accidentally powered up Napalma's batteries and she thought he did it on purpose. Mag N. Ficent has a supernatural psychic sense for jokes, like if you were immune to electricity because you drank a resistance potion or whatever, he'd know, and adjust his prank accordingly. So he used the joy buzzer powered by a special electricity that makes robots constipated. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] 5840f78fa1cc88321c7a9fb80c311580c7002e28 File:Zoomed in awoo.png 6 310 748 2023-08-15T21:47:43Z Atrum32 17 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 The Seer 0 10 750 476 2023-08-15T21:49:01Z Atrum32 17 wikitext text/x-wiki {{InteractiveMap}} [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]]. He is much older than the five kings and acts as their overseer. ==Information== <youtube>https://youtu.be/ADYzngt9wdg?t=179</youtube> The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> [[Category:Hosts]] c3f567e3b4c7c6e1ed0d48887af98bf718f9e108 File:Hahalatia flag.png 6 311 752 2023-08-17T11:12:54Z Subaluwa 2 wikitext text/x-wiki The Hahalatian flag 65f9dd084218f97f1fe86a41f5cb2920acf9cd76 File:Smilred.png 6 312 755 2023-08-18T00:12:35Z Subaluwa 2 wikitext text/x-wiki smilred sheet 0e98f02600c0ef10326c237de28f4c2b496ba526 File:Smilred origins.png 6 313 756 2023-08-18T00:16:33Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Smilred collage.png 6 314 757 2023-08-18T00:17:19Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Smilred 0 315 758 2023-08-18T00:19:28Z Subaluwa 2 Created page with "[[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is theoretically capable of regenerating..." wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is theoretically capable of regenerating back into a whole vermin. == Gallery == <gallery> File:Smilred origins.png|Big Suze, the original vermin Smilred was based on File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 </gallery> ca5763d006f5066cd356b4f88cf69be6fafa9a27 759 758 2023-08-18T00:20:19Z Subaluwa 2 wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is theoretically capable of regenerating back into a whole vermin. == Gallery == <gallery> File:Smilred origins.png|Big Suze, the original vermin Smilred was based on File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 </gallery> [[Category:Vermin]] [[Category:Mooks]] 3d5917dc955286013feae15fbd12aa2e349bfbdb File:Buh.png 6 316 760 2023-08-20T02:13:50Z NLD 3 wikitext text/x-wiki buh a44b3377afdc3f6e85961c3394911b81ac7eb2c0 Cirgnome 0 156 761 444 2023-08-20T02:14:40Z NLD 3 wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of [[Ralphie Host|Bullet Hell Tournament 2]]. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] [[File:Buh.png|thumb|left|buh]] 652b3604d116a5557ab891b3cc97181aea566613 Skultists 0 317 764 2023-08-25T06:03:02Z NLD 3 loar wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * Hollow-Headed Heavies * [[Skultist Bag-o-Bones|Bag-o-Bones]] ==== Beasts ==== * Fishbones * Salmortis' * Megalomarines * Rattled Snakes * Lizardarks * Grave Gilas * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other members ==== * Tibia Trapper * [[Muertoreador]] * [[Skultist Foolich|Foolich]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * Yamata-no-Dokurochi 64c3ff6d6037f9e921d921305420a0237578d9ff 766 764 2023-08-26T04:43:21Z NLD 3 /* Higher-Tiers and other members */ wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * Hollow-Headed Heavies * [[Skultist Bag-o-Bones|Bag-o-Bones]] ==== Beasts ==== * Fishbones * Salmortis' * Megalomarines * Rattled Snakes * Lizardarks * Grave Gilas * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other members ==== * Tibia Trapper * [[Muertoreador]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * Yamata-no-Dokurochi * [[Skultist Foolich|Foolich]] 954ee7574f3618dbda6315abc72094ecc5fb5bae Big "Host" Smells 0 140 767 478 2023-08-27T05:46:12Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Big host smells women.png|thumb]] '''Big "Host" Smells''' is a [[host]]. ==Information== In Big "Tournament" Smells 1, he drove a bunch of vermin out to the desert to hold fights because he didn't want to pay for an arena. [[File:Bhs missing poster.png|thumb]] He used to have an actual body, but [[Blue Sky]] sucked him dry in a dingy basement (read: put him in a host-sucking machine that sucked out Big "Host" Smells's host juices). The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defeat, so BHS is still a weird cum blob. ==Trivia== * He is Australian, despite Australia not actually existing in the vermin universe. * He is emotionally dependent on his solid gold cane toad statue, which was provided as a trophy for B"T"S2 but was kept by him as a decoration. 0ecf8314d6d8a1ad71de0aedba97134268b08bf6 File:Moonspin1 bracket partial.png 6 318 768 2023-08-27T06:19:57Z Subaluwa 2 wikitext text/x-wiki Moonspin 1 bracket, before EX 936d37994e4383f867466059c6653985d8df34a1 File:Some Crazy Bastard.png 6 319 769 2023-08-27T06:37:36Z Subaluwa 2 wikitext text/x-wiki sheet for scb e65f240b7cd38324d310a9220fb5b518215ec123 Some Crazy Bastard 0 320 770 2023-08-27T06:40:57Z Subaluwa 2 Created page with "[[File:Some Crazy Bastard.png|thumb]] '''Some Crazy Bastard''' was a semifinalist in the Moonspin 1 Tournament. He started as a mook and reached burst mode due to the on-the-fly nature of the tournament. Two versions of Some Crazy Bastard exist: one in the [[old universe]] as an alter ego of Son of Blorf, and one in the new universe as an independent Libby-[[My Kitchen|Bag]] hybrid. ==Performance== File:Moonspin1 bracket partial.png|thumb|600x600px|Partial bracket of..." wikitext text/x-wiki [[File:Some Crazy Bastard.png|thumb]] '''Some Crazy Bastard''' was a semifinalist in the Moonspin 1 Tournament. He started as a mook and reached burst mode due to the on-the-fly nature of the tournament. Two versions of Some Crazy Bastard exist: one in the [[old universe]] as an alter ego of Son of Blorf, and one in the new universe as an independent Libby-[[My Kitchen|Bag]] hybrid. ==Performance== [[File:Moonspin1 bracket partial.png|thumb|600x600px|Partial bracket of Moonspin 1, before EX stages|none]]Some Crazy Bastard was defeated by Thierry, Champion of Chaos in Moonspin 1. == Information == He also appeared in the Coin Tournament 2 [https://www.youtube.com/watch?v=jeyQvnu-ir8 superboss], summoned by My Acolyte in his EX form. In this state, he wields a [https://kol.coldfront.net/thekolwiki/index.php/Crazy_bastard_sword crazy bastard sword] and can split himself in four with bunshin no jutsu. e71fc29a463c2caf62683945e0700287f3957f0c 772 770 2023-08-27T06:53:31Z Subaluwa 2 wikitext text/x-wiki [[File:Some Crazy Bastard.png|thumb]] '''Some Crazy Bastard''' was a semifinalist in the Moonspin 1 Tournament. He started as a mook and reached burst mode due to the on-the-fly nature of the tournament. Two versions of Some Crazy Bastard exist: one in the [[old universe]] as an alter ego of Son of Blorf, and one in the new universe as an independent Libby-[[My Kitchen|Bag]] hybrid. ==Performance== [[File:Moonspin1 bracket partial.png|thumb|600x600px|Partial bracket of Moonspin 1, before EX stages|none]]Some Crazy Bastard was defeated by Thierry, Champion of Chaos in Moonspin 1. == Information == === Original timeline === In the pre-[[VEK Host|VEKkening]] timeline, Some Crazy Bastard was an alter ego of the infamous champion Son of Blorf. Son of Blorf was a champion and thus ineligible for tournaments, although he itched to participate further. He was also the son of King Blorf, so nobody wanted to hit him too hard, lest they be forced to explain to the King why his son showed up at the castle with bruises and broken bones. (He was also born out of wedlock, but they were pretty progressive about that sort of thing, mostly because Champions' Valley was a lot like the Olympic Village, in the sense that they had to bring out the cardboard beds whenever a champions' tourney was announced.) Thus, the bastard disguised himself using a discarded grocery bag, hoping to enter a tournament. Unfortunately, "Some Crazy Bastard" never got into anything, and so the persona was quietly retired. He appeared in the Coin Tournament 2 [https://www.youtube.com/watch?v=jeyQvnu-ir8 superboss], summoned by My Acolyte in his EX form. In this state, he wielded a [https://kol.coldfront.net/thekolwiki/index.php/Crazy_bastard_sword crazy bastard sword] and could split himself in four with bunshin no jutsu. c8814e15152d371dff94d93abe37a38c175ea43c 773 772 2023-08-27T07:15:22Z Subaluwa 2 wikitext text/x-wiki [[File:Some Crazy Bastard.png|thumb]] '''Some Crazy Bastard''' was a semifinalist in the Moonspin 1 Tournament. He started as a mook and reached burst mode due to the on-the-fly nature of the tournament. Unlike most vermin, Some Crazy Bastard is an adopted persona, rather than an independent species. Two versions of the character exist: one in the [[old universe]] as an alter ego of Son of Blorf, and one in the new universe as a disguise for a Libby-[[My Kitchen|Bag]] hybrid. ==Performance== [[File:Moonspin1 bracket partial.png|thumb|600x600px|Partial bracket of Moonspin 1, before EX stages|none]]Some Crazy Bastard was defeated by Thierry, Champion of Chaos in Moonspin 1. == Information == === Original timeline === In the pre-[[VEK Host|VEKkening]] timeline, Some Crazy Bastard was an alter ego of the infamous champion Son of Blorf. Son of Blorf was a champion and thus ineligible for tournaments, although he itched to participate further. He was also the son of King Blorf, so nobody wanted to hit him too hard, lest they be forced to explain to the King why his son showed up at the castle with bruises and broken bones. (He was also born out of wedlock, but they were pretty progressive about that sort of thing, mostly because Champions' Valley was a lot like the Olympic Village, in the sense that they had to bring out the cardboard beds whenever a champions' tourney was announced.) Thus, the bastard disguised himself using a discarded grocery bag, hoping to enter a tournament. Unfortunately, "Some Crazy Bastard" never got into anything, and so the persona was quietly retired. Some Crazy Bastard's true identity was never revealed to anyone in the old universe, nor did he ever receive any fame or attention of note. === New timeline === In the post-reset timeline, Son of Blorf does not exist, as [[Blue Sky]] was crucially unable to get himself some bitches. However, his legacy spread across [[Yas Blamgeles]] via stories told by VEKfugees. In the new timeline, the persona of Some Crazy Bastard was created independently as a sort of convergent evolution: an unnamed Libby-like vermin, faced with fursecution due to its reviled appearance, fashioned a costume based on the stories of the Son of Blorf. Lacking the proper materials for a realistic helmet, the vermin opted to use an old grocery bag -- completing the Crazy Bastard cycle. In order to maintain kayfabe as a mentally unstable street rat, Some Crazy Bastard attacked an innocent vermin merely trying to get to its car. This vermin was deeply affected by the experience, and his psychological scars later manifested themselves into deep insecurity and a messiah complex, eventually snowballing into an attempt to steal [[Big "Host" Smells]]'s powers and defeat VEK Host once and for all. (But none of that is important in any way.) Some Crazy Bastard got into Moonspin Tournament 1 and reached the semifinals. In his final battle, Thierry, Champion of Chaos slashed him across the face, slicing off his bag and revealing him to be a Libby. The audience was shocked and appalled at this revelation, and while frantically trying to placate the booing crowd, Some Crazy Bastard was unfortunately slain by Thierry and his soul sacrificed to the Chaos God of War(graav). == Trivia == * He appeared in the Coin Tournament 2 [https://www.youtube.com/watch?v=jeyQvnu-ir8 superboss], summoned by My Acolyte in his EX form. In this state, he wielded a [https://kol.coldfront.net/thekolwiki/index.php/Crazy_bastard_sword crazy bastard sword] and could split himself in four with bunshin no jutsu. He was quickly vanquished by Weirdumpus. 8e25ad95ba797ad40d263b0c0250146855e0a490 774 773 2023-08-27T07:15:57Z Subaluwa 2 wikitext text/x-wiki [[File:Some Crazy Bastard.png|thumb]] '''Some Crazy Bastard''' was a semifinalist in Moonspin 1. He started as a mook and reached burst mode due to the on-the-fly nature of the tournament. Unlike most vermin, Some Crazy Bastard is an adopted persona, rather than an independent species. Two versions of the character exist: one in the [[old universe]] as an alter ego of Son of Blorf, and one in the new universe as a disguise for a Libby-[[My Kitchen|Bag]] hybrid. ==Performance== [[File:Moonspin1 bracket partial.png|thumb|600x600px|Partial bracket of Moonspin 1, before EX stages|none]]Some Crazy Bastard was defeated by Thierry, Champion of Chaos in Moonspin 1. == Information == === Original timeline === In the pre-[[VEK Host|VEKkening]] timeline, Some Crazy Bastard was an alter ego of the infamous champion Son of Blorf. Son of Blorf was a champion and thus ineligible for tournaments, although he itched to participate further. He was also the son of King Blorf, so nobody wanted to hit him too hard, lest they be forced to explain to the King why his son showed up at the castle with bruises and broken bones. (He was also born out of wedlock, but they were pretty progressive about that sort of thing, mostly because Champions' Valley was a lot like the Olympic Village, in the sense that they had to bring out the cardboard beds whenever a champions' tourney was announced.) Thus, the bastard disguised himself using a discarded grocery bag, hoping to enter a tournament. Unfortunately, "Some Crazy Bastard" never got into anything, and so the persona was quietly retired. Some Crazy Bastard's true identity was never revealed to anyone in the old universe, nor did he ever receive any fame or attention of note. === New timeline === In the post-reset timeline, Son of Blorf does not exist, as [[Blue Sky]] was crucially unable to get himself some bitches. However, his legacy spread across [[Yas Blamgeles]] via stories told by VEKfugees. In the new timeline, the persona of Some Crazy Bastard was created independently as a sort of convergent evolution: an unnamed Libby-like vermin, faced with fursecution due to its reviled appearance, fashioned a costume based on the stories of the Son of Blorf. Lacking the proper materials for a realistic helmet, the vermin opted to use an old grocery bag -- completing the Crazy Bastard cycle. In order to maintain kayfabe as a mentally unstable street rat, Some Crazy Bastard attacked an innocent vermin merely trying to get to its car. This vermin was deeply affected by the experience, and his psychological scars later manifested themselves into deep insecurity and a messiah complex, eventually snowballing into an attempt to steal [[Big "Host" Smells]]'s powers and defeat VEK Host once and for all. (But none of that is important in any way.) Some Crazy Bastard got into Moonspin Tournament 1 and reached the semifinals. In his final battle, Thierry, Champion of Chaos slashed him across the face, slicing off his bag and revealing him to be a Libby. The audience was shocked and appalled at this revelation, and while frantically trying to placate the booing crowd, Some Crazy Bastard was unfortunately slain by Thierry and his soul sacrificed to the Chaos God of War(graav). == Trivia == * He appeared in the Coin Tournament 2 [https://www.youtube.com/watch?v=jeyQvnu-ir8 superboss], summoned by My Acolyte in his EX form. In this state, he wielded a [https://kol.coldfront.net/thekolwiki/index.php/Crazy_bastard_sword crazy bastard sword] and could split himself in four with bunshin no jutsu. He was quickly vanquished by Weirdumpus. 8be0975659b349d5b3c36c986cc6520063e5c693 775 774 2023-08-27T07:18:15Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Some Crazy Bastard.png|thumb]] '''Some Crazy Bastard''' was a semifinalist in Moonspin 1. He started as a mook and reached burst mode due to the on-the-fly nature of the tournament. Unlike most vermin, Some Crazy Bastard is an adopted persona, rather than an independent species. Two versions of the character exist: one in the [[old universe]] as an alter ego of Son of Blorf, and one in the new universe as a disguise for a Libby-[[My Kitchen|Bag]] hybrid. ==Performance== [[File:Moonspin1 bracket partial.png|thumb|600x600px|Partial bracket of Moonspin 1, before EX stages|none]]Some Crazy Bastard was defeated by Thierry, Champion of Chaos in Moonspin 1. == Information == === Original timeline === In the pre-[[VEK Host|VEKkening]] timeline, Some Crazy Bastard was an alter ego of the infamous champion Son of Blorf. Son of Blorf was a champion and thus ineligible for tournaments, although he itched to participate further. He was also the son of King Blorf, so nobody wanted to hit him too hard, lest they be forced to explain to the King why his son showed up at the castle with bruises and broken bones. (He was also born out of wedlock, but they were pretty progressive about that sort of thing, mostly because Champions' Valley was a lot like the Olympic Village, in the sense that they had to bring out the cardboard beds whenever a champions' tourney was announced.) Thus, the bastard disguised himself using a discarded grocery bag, hoping to enter a tournament. Unfortunately, "Some Crazy Bastard" never got into anything, and so the persona was quietly retired. Some Crazy Bastard's true identity was never revealed to anyone in the old universe, nor did he ever receive any fame or attention of note. === New timeline === In the post-reset timeline, Son of Blorf does not exist, as [[Blue Sky]] was crucially unable to get himself some bitches. However, his legacy spread across [[Yas Blamgeles]] via stories told by VEKfugees. In the new timeline, the persona of Some Crazy Bastard was created independently as a sort of convergent evolution: an unnamed Libby-like vermin, faced with fursecution due to its reviled appearance, fashioned a costume based on the stories of the Son of Blorf. Lacking the proper materials for a realistic helmet, the vermin opted to use an old grocery bag -- completing the Crazy Bastard cycle. In order to maintain kayfabe as a mentally unstable street rat, Some Crazy Bastard attacked an innocent vermin merely trying to get to its car. This vermin was deeply affected by the experience, and his psychological scars later manifested themselves into deep insecurity and a messiah complex, eventually snowballing into an attempt to steal [[Big "Host" Smells]]'s powers and defeat VEK Host once and for all. (But none of that is important in any way.) Some Crazy Bastard got into Moonspin Tournament 1 and reached the semifinals. In his final battle, Thierry, Champion of Chaos slashed him across the face, slicing off his bag and revealing him to be a Libby. The audience was shocked and appalled at this revelation, and while frantically trying to placate the booing crowd, Some Crazy Bastard was unfortunately slain by Thierry and his soul sacrificed to the Chaos God of War(graav). == Trivia == * He appeared in the [[Coin Host|Coin Tournament 2]] [https://www.youtube.com/watch?v=jeyQvnu-ir8 superboss], summoned by My Acolyte in his EX form. In this state, he wielded a [https://kol.coldfront.net/thekolwiki/index.php/Crazy_bastard_sword crazy bastard sword] and could split himself in four with bunshin no jutsu. He was quickly vanquished by Weirdumpus. d18273483915243a8438295b30efee35f292f1a2 Main Page 0 1 771 765 2023-08-27T06:44:13Z Subaluwa 2 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Coin Host]] * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Ultra ""Host""]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] * [[Some Crazy Bastard]] f150f058fbf0a02e5f4d7bbe99660c216eb192dc 776 771 2023-08-28T04:17:09Z Subaluwa 2 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Coin Host]] * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Spore Host]] * [[Ultra ""Host""]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] * [[Some Crazy Bastard]] db6875235a637650feb16923ffd16c560f205c23 816 776 2023-09-11T01:51:39Z Subaluwa 2 /* The Divided Kingdoms */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other=== * [[Coin Host]] * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Spore Host]] * [[Ultra ""Host""]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] * [[Some Crazy Bastard]] 2382dff7389e239b1b0d8a93dc54a734e4a62c50 File:Spore host.png 6 321 777 2023-08-28T04:21:12Z Subaluwa 2 wikitext text/x-wiki spore host sheet 96f87d6b7aa1f442097dfe74acae83424951c35f File:Blastbot.png 6 322 778 2023-08-28T04:21:44Z Subaluwa 2 wikitext text/x-wiki blastbot, count sporelof, the augury 94157c5d1cc5fe745e5e5387e6dc3c1ea8d31984 Spore Host 0 323 779 2023-08-28T04:22:05Z Subaluwa 2 Created page with "[[File:Spore host.png|thumb]] [[File:Blastbot.png|thumb]] '''Spore Host''' was the host of the Spore-naments. These were not held on [[Vearth]], but on a different planet in the """Sunny""" System. == Information == * Spore Host died at the end of Spore-nament 1, slain by Bearserker and co. * Spore Host was the last survivor of his kind. In ancient times the industrial species drained their world dry of resources and destroyed the environment in the process, the only n..." wikitext text/x-wiki [[File:Spore host.png|thumb]] [[File:Blastbot.png|thumb]] '''Spore Host''' was the host of the Spore-naments. These were not held on [[Vearth]], but on a different planet in the """Sunny""" System. == Information == * Spore Host died at the end of Spore-nament 1, slain by Bearserker and co. * Spore Host was the last survivor of his kind. In ancient times the industrial species drained their world dry of resources and destroyed the environment in the process, the only native biota remaining being the hardiest plants of the pre-gaian collapse deserts. * Spore Host is served by the Blastbots, a race of machines from the bygone golden age of his world. They are a neutral-aligned hivemind swarm led by Count Sporelof, the most powerful Blastbot and second in command to Spore Host. * After Spore Host's death, Count Sporelof made it their objective to journey across space to locate a way to resurrect their master. Using the disused factories of the dying world, they constructed The Augury, a giant Blastbot that also serves as a starship and a mausoleum. 58d8aa7c4465b7dc0916ecb63b0e75b3cef361d6 File:Vearth.png 6 324 780 2023-08-28T04:24:53Z Subaluwa 2 wikitext text/x-wiki planet vearth 252f611d84957a023290f528d7621b276b08334e Vearth 0 325 781 2023-08-28T04:27:44Z Subaluwa 2 Created page with "[[File:Vearth.png|thumb]] The planet '''Vearth''' is where most [[vermin]] live, except for aliens and [[Spore Host]]. It is part of the [[new universe]], which does not include extrauniversal space, such as the void where [[Coin Host]] resides." wikitext text/x-wiki [[File:Vearth.png|thumb]] The planet '''Vearth''' is where most [[vermin]] live, except for aliens and [[Spore Host]]. It is part of the [[new universe]], which does not include extrauniversal space, such as the void where [[Coin Host]] resides. df3142c8343d1809d32380cc2cb9445c514fa18f Duel Host 0 96 782 304 2023-08-28T04:29:46Z Subaluwa 2 wikitext text/x-wiki [[File:Bob.png|thumb]] '''Duel Host''' is a mysterious guy with a connection to [[Ballingypt]], as explored in Duel GX 5. ==Information== Duel Host is not Punchbag Bob, who is Duel Host's assistant.[[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel Vermin game store, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. Bob is the guy who yells "IT'S TIME TO D-D-D-D-DUEL" before every match. ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 75% winrate in his tournaments. * His relation to the [[Lord of Misrule]] is unknown. ** The two have never actually met, since the Lord of Misrule's summoning took place on [[Halloween Island]] and not the card shop. [[Category:Hosts]] 0133a1851cf7f36e802123b40832d61772155c9f Wargraav 0 21 783 74 2023-08-28T04:31:31Z Subaluwa 2 wikitext text/x-wiki [[File:Wargraav.png|thumb]]{{Quote|Grrr... I am Wargraav.|Wargraav}} '''Wargraav''' does not exist in the [[new universe]]. There are several vermin that resemble Wargraav. Some of them competed in [[The Skirmish]]. f5dd43891d466aebba00dee96ab093df2a82baae Skultists 0 317 784 766 2023-08-29T05:14:12Z NLD 3 /* Recruits */ wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * Hollow-Headed Heavies * [[Skultist Bag-o-Bones|Bag-o-Bones]] ==== Beasts ==== * Fishbones * Salmortis' * Megalomarines * Rattled Snakes * Lizardarks * Grave Gilas * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other members ==== * Tibia Trapper * [[Muertoreador]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) * The Midblights ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * Yamata-no-Dokurochi * [[Skultist Foolich|Foolich]] ec83a9272ccc3457c29a98fcc52def0f76300c9b 785 784 2023-08-29T05:15:32Z NLD 3 /* Recruits */ wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * Hollow-Headed Heavies * [[Skultist Bag-o-Bones|Bag-o-Bones]] ==== Beasts ==== * Fishbones * Salmortis' * Megalomarines * Rattled Snakes * Lizardarks * Grave Gilas * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other direct members ==== * Tibia Trapper * [[Muertoreador]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * Mook Knight Units * The Walking Cage * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) * The TroyBohBon Bros. * The Midblights ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * Yamata-no-Dokurochi * [[Skultist Foolich|Foolich]] 00074b73cba281053db26c28029c77e6b10dc609 King GruBLAM! 0 189 786 451 2023-08-30T11:19:45Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Grubpog.png|thumb|left]] [[File:Grubruh.png|thumb|right]] '''King GruBLAM!''' is the champion of a tournament. He is the king of [[Yas Blamgeles]]. ==Information== King GruBLAM! came to power after defeating the [[Nutbringer]], which crawled out of the chunk error from the [[old universe]]. He has knights that fought the [[Lord of Misrule]]. ==Trivia== * He was shocked by the death of [[Ralphie Host]] on live TV. 4d5f23895bcf93c4f29ad98ac6e9023051625e90 807 786 2023-09-03T21:11:56Z NLD 3 proof? wikitext text/x-wiki [[File:Grubpog.png|thumb|left]] [[File:Grubruh.png|thumb|right]] '''King GruBLAM!''' is the champion of a tournament. He is the king of [[Yas Blamgeles]]. ==Information== King GruBLAM! came to power after defeating the [[Nutbringer]], which crawled out of the chunk error from the [[old universe]]. He has knights that fought the [[Lord of Misrule]]. As of late it has been contested as to whether or not GruBLAM! really is a king or not due to their fight not being archived. A recreation of their epic battle had since been publicized alongside an alternative "what-if" scenario in which Nutbringer had won the fight. ==Trivia== * He was shocked by the death of [[Ralphie Host]] on live TV. f70d2c56fb26bde257730b976836ec81ef906ef6 Talk:King GruBLAM! 1 326 787 2023-09-01T00:38:08Z STRONGETS HOST OGRO 6 Created page with "proof?" wikitext text/x-wiki proof? 552105cf6f4701971c09326473ddf9e808e54901 790 787 2023-09-01T01:39:49Z Subaluwa 2 wikitext text/x-wiki proof? [[File:Blorfbubble.png|thumb|left]] [[User:Subaluwa|Subaluwa]] ([[User talk:Subaluwa|talk]]) 01:39, 1 September 2023 (UTC) 5ef85cf17e1eae66530ea0518e1668cfa1f7be71 File:Blorfbubble.png 6 327 788 2023-09-01T01:37:07Z Subaluwa 2 wikitext text/x-wiki bubble meme blorf db8e5bb48311a3e0d7e036367465b45681ce1228 789 788 2023-09-01T01:38:25Z Subaluwa 2 Subaluwa uploaded a new version of [[File:Blorfbubble.png]] wikitext text/x-wiki bubble meme blorf db8e5bb48311a3e0d7e036367465b45681ce1228 Blue Sky 0 182 791 533 2023-09-01T22:23:19Z Bigsmells 7 /* Lore */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, [[Doin Host]] had sent a series of teams to do battle within this space, inadvertently causing its temporary restoration as they explored it in search of valuable artifacts. Eventually, Team Beast Mode had confronted Blue Sky, who seemed maddened by the isolation but still rather coherent. Just as this encounter was proving to be deadly for the new champions, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave the dimension safely, but Coin Host was not able to pull Blue Sky out of the dimension. Presumably, the dimension returned to its corrupted state with Blue Sky still within it after this event. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Smokeman.png|Blue Sky's prototype design. </gallery> 3ead3161b5e9d35c656ceb8898525090e14baa33 794 791 2023-09-01T22:45:49Z Bigsmells 7 wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Smokeman.png|Blue Sky's prototype design. </gallery> d991a8f05a5e9ccdc71e99b59d8f0c4d5e2580a5 795 794 2023-09-01T22:47:49Z Bigsmells 7 /* Gallery */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favour by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Smokeman.png|Blue Sky's prototype design. File:Blue Sky With Sword.png|Blue Sky with an awesome scimitar, transformed from the remote he typically holds. File:The Handiwork.png|The Handiwork, a superboss created by Blue Sky through fusing the members of Team Inconspicuoussss. </gallery> 0118cab99be4beae42b7c07091af6b2d72431025 799 795 2023-09-01T22:57:05Z Bigsmells 7 wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favor by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. * Blue Sky's original design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Blue Sky With Sword.png|Blue Sky with an awesome scimitar, transformed from the remote he typically holds. File:The Handiwork.png|The Handiwork, a superboss created by Blue Sky through fusing the members of Team Inconspicuoussss. File:Ghost of Papa Past.png|Ghost of Papa Past, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Present.png|Ghost of Papa Present, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Future.png|Ghost of Papa Future, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Smokeman.png|Blue Sky's prototype design. </gallery> 78b8e627fbda22401abe1561628567aeadae1c5e 801 799 2023-09-01T23:06:01Z Bigsmells 7 /* Gallery */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the story that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favor by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * At the end of the storyline, Blue Sky's remote is revealed to be able to turn into a scimitar, a parallel to the golden sword Blorf Mk3 obtained near the end of his own tournament in the original timeline. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. * Ghost of Papa Past/Future both have subtle markings relating them to VEK and Blue Sky, respectively. * Blue Sky's initial design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Blue Sky With Sword.png|Blue Sky with an awesome scimitar, transformed from the remote he typically holds. File:Blue Sky Destroyed.png|Blue Sky's suit after sustaining heavy damage, revealing it to be a robotic shell and not a part of his true anatomy. File:The Handiwork.png|The Handiwork, a superboss created by Blue Sky through fusing the members of Team Inconspicuoussss. File:Ghost of Papa Past.png|Ghost of Papa Past, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Present.png|Ghost of Papa Present, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Future.png|Ghost of Papa Future, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Smokeman.png|Blue Sky's prototype design. </gallery> 4bf706aa623345c9dc131f15b5f129829b099a0b 802 801 2023-09-01T23:08:06Z Bigsmells 7 wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the [https://www.youtube.com/playlist?list=PLeA1SeFDp55Oc7blszI1hBHE44Rz0OYSF storyline] that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting him as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he had before in what was essentially a previous life. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity. He hid his face and constructed a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favor by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * At the end of the storyline, Blue Sky's remote is revealed to be able to turn into a scimitar, a parallel to the golden sword Blorf Mk3 obtained near the end of his own tournament in the original timeline. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. * Ghost of Papa Past/Future both have subtle markings relating them to VEK and Blue Sky, respectively. * Blue Sky's initial design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Blue Sky With Sword.png|Blue Sky with an awesome scimitar, transformed from the remote he typically holds. File:Blue Sky Destroyed.png|Blue Sky's suit after sustaining heavy damage, revealing it to be a robotic shell and not a part of his true anatomy. File:The Handiwork.png|The Handiwork, a superboss created by Blue Sky through fusing the members of Team Inconspicuoussss. File:Ghost of Papa Past.png|Ghost of Papa Past, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Present.png|Ghost of Papa Present, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Future.png|Ghost of Papa Future, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Smokeman.png|Blue Sky's prototype design. </gallery> ee422270a199cc2b282b8f87cbb2248f1a7a12ee 803 802 2023-09-01T23:21:58Z Bigsmells 7 /* Lore */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the [https://www.youtube.com/playlist?list=PLeA1SeFDp55Oc7blszI1hBHE44Rz0OYSF storyline] that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting an alternate version of himself as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he now believed his true potential to be. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity out of shame, constructing a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favor by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * At the end of the storyline, Blue Sky's remote is revealed to be able to turn into a scimitar, a parallel to the golden sword Blorf Mk3 obtained near the end of his own tournament in the original timeline. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. * Ghost of Papa Past/Future both have subtle markings relating them to VEK and Blue Sky, respectively. * Blue Sky's initial design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Blue Sky With Sword.png|Blue Sky with an awesome scimitar, transformed from the remote he typically holds. File:Blue Sky Destroyed.png|Blue Sky's suit after sustaining heavy damage, revealing it to be a robotic shell and not a part of his true anatomy. File:The Handiwork.png|The Handiwork, a superboss created by Blue Sky through fusing the members of Team Inconspicuoussss. File:Ghost of Papa Past.png|Ghost of Papa Past, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Present.png|Ghost of Papa Present, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Future.png|Ghost of Papa Future, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Smokeman.png|Blue Sky's prototype design. </gallery> 24c5fa2fe5e7a40e82d6cc1175e53e80b3071b2b 806 803 2023-09-03T08:36:52Z Bargo 12 /* Gallery */ wikitext text/x-wiki [[File:Blue Sky.png|thumb|Blue Sky's default appearance.]] '''Blue Sky''' is some guy who is lore-relevant, particularly to [[Big "Host" Smells]] tournaments. He was the main antagonist of the [https://www.youtube.com/playlist?list=PLeA1SeFDp55Oc7blszI1hBHE44Rz0OYSF storyline] that ran over the course of Big "Tournament" Smells I through Big "Tournament" Smells V. He is the [[new universe]] counterpart of [[Starters#Blorf|Blorf]]. == Lore == Blue Sky was a scholar who had discovered relics from the old timeline depicting an alternate version of himself as a king. This caused Blue Sky to become stricken with anger, wishing to attain what he now believed his true potential to be. After the original [[Starters]] became pop culture icons and known to many vermin after the arrival of vermin from the old timeline, Blue Sky decided to hide his identity out of shame, constructing a mechanical suit to achieve this. He dreamed of being praised as a hero the same way the original Blorf did and formed a plan to reach even greater levels of glory. At some point, the [[Virulent Balls]] became aware of Blue Sky and his plans, possibly subtly encouraging him for the sake of entertainment. '''Big "Tournament" Smells II''' At the end of Big "Tournament" Smells II, a fusion of the tournament's runner ups, Team Inconspicuousssss, interrupted a dinner party intended for the champions. The fusion had a speaker on its chest, from which Blue Sky announced himself and his intentions. He then abducted Big "Host" Smells and left, leaving behind the fusion (whom he called The Handiwork) to attack the champions and buy time for his escape. '''Big "Tournament" Smells III''' While the champions of the previous tournaments looked for the host, Blue Sky put together a plan to garner the support he needed. Blue Sky planned on extracting the host's powers, and he needed assistance from the [[Lord of Misrule]] to do so. He successfully earned his favor by using Big "Host" Smells to organize a tournament following the format created by the Lord of Misrule. With his help, Blue Sky successfully obtained the host's powers, becoming a hybrid of vermin and host. In the meantime, the Virulent Balls organized their own tournament to run parallel to Blue Sky's, which led to the creation of a force opposing him and his plans. The Virulent Balls vowed to stop interfering after this point. '''Big "Tournament" Smells IV''' Blue Sky decided to practice using his newfound host powers by organizing a Christmas tournament. At the end of this tournament, he had the winner fight another superboss he had created, this time being a powered-up version of Papa Pepper, the runner-up of the second tournament. When this superboss was defeated, the heroes opposing Blue Sky finally managed to reach him. Blue Sky escaped into a parallel dimension of his own creation. '''Big "Tournament" Smells V''' This dimension was the site of Big "Tournament" Smells V, and was a strange blue world filled with mysterious statues of vermin that were famous in the old universe. The ground was constantly moving and covered in strange shadowy beings. Those in this dimension felt compelled to move deeper within, following the movements of the ground. The tournament champions, Team War Machines, eventually confronted Blue Sky in front of a statue of [[VEK Host]]. He revealed his plans to them: He intended to summon VEK, defeat him, and return to the world as a champion. Blue Sky believed that VEK was not truly defeated when the old universe ended, and wanted to eliminate this threat forever. He attempted to kill Team War Machines as a sacrifice to summon VEK, but failed. Upon losing, his identity as Blorf was exposed. Despite his best efforts, VEK did not appear, and in his fury Blue Sky had summoned beings of darkness who, after being defeated by Team War Machines in conjunction with the other Big "Tournament" Smells champions, were revealed to be the only things keeping that world stable, resulting in its collapse with him still deep within it. From outside the universe, the Virulent Balls looked upon the endless distortion he had caused and elected to leave him there while rescuing the champions. '''Doin Tournaments 2 & 3''' At some point in the future, Coin Host was fishing in the voids between realities and pulled up an old statue from Blue Sky's dimension, realizing that his hook must have somehow fallen into it. Convinced that the statue was valuable, [[Doin Host]] temporarily stabilized the dimension enough for a series of teams to fight each other in a tournament and to collect statues at the same time. As the fights progressed, however, the dimension seemed to grow restless and unstable. Eventually, Team Beast Mode (the champions) were intercepted by Blue Sky, who seemed maddened by his isolation but still rather coherent. Just as this encounter was proving to be deadly, [[Coin Host]] accidentally hooked Blue Sky on his fishing line and pulled him away. This bought enough time for all of the teams to leave safely with their plundered goods, but Coin Host could not muster the strength to actually pull Blue Sky out of the dimension. Presumably, the dimension then returned to its corrupted state with Blue Sky still within, where he may be trapped forevermore. == Trivia == * The name "Blue Sky" started as a nickname created by the Virulent Balls. He doesn't particularly like the name, but there isn't much he can do about it. * At the end of the storyline, Blue Sky's remote is revealed to be able to turn into a scimitar, a parallel to the golden sword Blorf Mk3 obtained near the end of his own tournament in the original timeline. * The Handiwork was designed to roughly resemble Titanbetes/Gutpunch, the vermin Blorf Mk3 defeated in the original timeline to become king. * Ghost of Papa Past/Future both have subtle markings relating them to VEK and Blue Sky, respectively. * Blue Sky's initial design was more hunched over, with a gray cloak and a smoke-producing machine on his back to help hide his identity. This was changed before his first actual appearance to better foreshadow his identity. == Gallery == <gallery> File:Blue Sky Blorf.png|Blue Sky outside of his suit. File:Blue Sky Host.png|Blue Sky in his alternate white robes after he absorbed the host's powers. File:Blue Sky With Sword.png|Blue Sky with an awesome scimitar, transformed from the remote he typically holds. File:Blue Sky Destroyed.png|Blue Sky's suit after sustaining heavy damage, revealing it to be a robotic shell and not a part of his true anatomy. File:The Handiwork.png|The Handiwork, a superboss created by Blue Sky through fusing the members of Team Ssspace Invadersss. File:Ghost of Papa Past.png|Ghost of Papa Past, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Present.png|Ghost of Papa Present, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Ghost of Papa Future.png|Ghost of Papa Future, a portion of a superboss created by Blue Sky through splitting Papa Pepper. File:Smokeman.png|Blue Sky's prototype design. </gallery> cdac3edb13858bc30cef64e059453fcbb7d9b5af File:Blue Sky With Sword.png 6 328 792 2023-09-01T22:37:23Z Bigsmells 7 wikitext text/x-wiki yo c41975d1dae1cc69b16ad8892b8c77164e84ca39 File:The Handiwork.png 6 329 793 2023-09-01T22:39:36Z Bigsmells 7 wikitext text/x-wiki Superboss c49db29cad35053b80abbc32ee9e9a11140895c1 File:Ghost of Papa Future.png 6 330 796 2023-09-01T22:51:27Z Bigsmells 7 wikitext text/x-wiki Superboss c49db29cad35053b80abbc32ee9e9a11140895c1 File:Ghost of Papa Past.png 6 331 797 2023-09-01T22:51:58Z Bigsmells 7 wikitext text/x-wiki Superboss c49db29cad35053b80abbc32ee9e9a11140895c1 File:Ghost of Papa Present.png 6 332 798 2023-09-01T22:52:27Z Bigsmells 7 wikitext text/x-wiki Superboss c49db29cad35053b80abbc32ee9e9a11140895c1 File:Blue Sky Destroyed.png 6 333 800 2023-09-01T22:58:01Z Bigsmells 7 wikitext text/x-wiki oops 725e5ed60ea63b45d2c6610a0f874fd455ee2164 Big "Host" Smells 0 140 804 767 2023-09-01T23:42:32Z Subaluwa 2 /* Information */ wikitext text/x-wiki [[File:Big host smells women.png|thumb]] '''Big "Host" Smells''' is a [[host]]. ==Information== In Big "Tournament" Smells 1, he drove a bunch of vermin out to the desert to hold fights because he didn't want to pay for an arena. [[File:Bhs missing poster.png|thumb]] He used to have an actual body, but [[Blue Sky]] sucked him dry in a dingy basement (read: put him in a host-sucking machine that sucked out Big "Host" Smells's host juices). The process was extremely painful for him. Blue Sky then infused himself with BHS's host energy, becoming a host-vermin hybrid and using the awesome cosmic powers to create a pocket realm with which to trap [[VEK Host]]. Blue Sky remained trapped in his pocket dimension after his defeat, so BHS is still a weird cum blob. He isn't too upset about this, since his body will grow back in about 300 years, which is nothing to a host of his age. ==Trivia== * He is Australian, despite Australia not actually existing in the vermin universe. * He is emotionally dependent on his solid gold cane toad statue, which was provided as a trophy for B"T"S2 but was kept by him as a decoration. f93d37fb73c585a741499dc809957bc5bd639992 The Seer 0 10 805 750 2023-09-02T00:34:13Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]] within a place called the Whispering Woods. He is much older than the five kings and acts as their overseer. ==Information== <youtube>https://youtu.be/ADYzngt9wdg?t=179</youtube> The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> [[Category:Hosts]] 8f0e873da23b730f8cb6c5140704b98d435ee1f9 812 805 2023-09-11T00:54:49Z Subaluwa 2 /* Champions */ wikitext text/x-wiki {{InteractiveMap}} [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]] within a place called the Whispering Woods. He is much older than the five kings and acts as their overseer. ==Information== <youtube>https://youtu.be/ADYzngt9wdg?t=179</youtube> The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> * [[Hahalatia]] - Team Bug's Life. <sup>[https://www.youtube.com/playlist?list=PLeA1SeFDp55PCgUmxKgDkvIFAaTWsKE6V 2023].</sup> [[Category:Hosts]] e789883df1e5e30baec3f40b971e1c996cc6e71f 813 812 2023-09-11T00:56:46Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:The seer.png|thumb]] '''The Seer''' is, like, some sword guy or something. He lives in a temple in the middle of the [[Divided Kingdoms]] within a place called the Whispering Woods. He is much older than the five kings and acts as their overseer. ==Information== <youtube>https://youtu.be/ADYzngt9wdg?t=179</youtube> The Seer is currently running five rituals (a.k.a. tournaments) for the five kingdoms. He's technically the same species as other hosts, but he's a lot more serious about it. He also has beef with some sort of Abomination. We don't know much about him yet. ==Rituals== The Seer calls his tournaments "rituals". The champs become local leaders that help their kings rule since all the kings are doing a bad job. ===Champions=== * [[Tunguska]] - Team Shallow Sea. <sup>[https://www.youtube.com/watch?v=cKe2XzouNfQ June 11th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55MFRrS7qFMiATsrKuc6AxcN 2023].</sup> * [[Hahalatia]] - Team Bug's Life. <sup>[https://www.youtube.com/watch?v=x80z1lk6cAc September 10th,] [https://www.youtube.com/playlist?list=PLeA1SeFDp55PCgUmxKgDkvIFAaTWsKE6V 2023].</sup> [[Category:Hosts]] 3fb19367a21d9ac7484154eedc9ea829b3738865 File:Ultra ultra host.png 6 334 808 2023-09-06T01:10:53Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Clown ultra.png 6 335 809 2023-09-06T01:11:28Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 810 809 2023-09-06T01:11:59Z Subaluwa 2 Subaluwa moved page [[File:SPOILER FwoyZ61.png]] to [[File:Clown ultra.png]] without leaving a redirect wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Ultra Host 0 179 811 455 2023-09-06T01:12:17Z Subaluwa 2 wikitext text/x-wiki [[File:Bro did you just kill the cat.png|thumb]] Yeah i killed vermin once [[File:Smug.png|24x24px]] ==Information== He lives(d) in [[Ultra Hell]]. He was keeping all the hellmin in line with tournaments but then he vanished for unknown reasons. == Gallery == <gallery> Ultra ultra host.png Clown ultra.png </gallery> 8c2fcc2a0d70d4736609203233644e96047c8bc8 File:Bugs life.png 6 336 814 2023-09-11T00:59:40Z Subaluwa 2 wikitext text/x-wiki team bug's life, plus nailson 450b6c225f04d69d3d67b4d18cf76097dd499a4c Hahalatia 0 47 815 753 2023-09-11T01:01:49Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:Hahalatia map.png|thumb]] '''Hahalatia''' is one of the [[Five Kingdoms]]. It is led by [[Mag N. Ficent]], who rules with an iron glove. ==Information== [[File:Chess hahalatia.png|thumb]] [[File:Hahalatia flag.png|thumb|The flag of Hahalatia]] The clowns that inhabit Hahalatia keep very few records because history is boring. As a result, much of Hahalatia's history has been lost to time. Citizens of this kingdom are purely concerned with their own twisted sense of humor, rather than anything lame like empathy or morality. Many craters dot the colorfully striped landscape of Hahalatia. These were caused by comedy nukes, all of which were fired by Mag N. Ficent himself (because he thought it would be funny). The Running Gags are a tribe of clowns that claim to have roamed Hahalatia long before Mag N. Ficent set foot there. Since the days of their first chieftain, the tribe has preserved a single, sacred joke. Repetition is the most sacred tenet of their society, as they believe that jokes only cease to be funny once they're forgotten. Outsider clowns are allowed to join their tribe, but must don a "long face" and walk on all fours to prove their dedication to the clowns above. They've had many chieftains over their long history, all of whom have been named Dead Horse. Under Hahalatia... there are things there which may or may not be funny. It's said that the jokes go over their head all the time... It's called, "The Bottom of the Barrel". ===Clown chess=== [[File:Greatest show on verth.png|thumb]] Hahalatia is a checkerboarded country, and the nomadic clowns have giant moving fortresses that look like chess pieces, pulled by sapient clown cars. Strangely, they all play chess with each other, and even wait and know when to take turns despite being miles away from one another. When in conflict with one another, they take turns and eventually ram the big chess pieces into each other. The Running Gags pull the horse chess piece, of course. Basically, giant multicolored chess pieces on wheels in a checkerboarded psychedelic country escorted by a convoy of sapient clown cars with nomadic clown passengers in them, who then ram the pieces into each other because they think the biggest, most dangerous game of chess is funny. Some of the pieces contain nuclear warheads. As a joke. The chess is sort of like a formality. A clown can still just walk up to you and honk, "SOCIETY" and shoot you. "SOCIETY" is a major punchline to most social situations in Hahalatia. ==History== * through the The Running Gag clan, they tell their history and legends through jokes and punchlines * one story deciphered is the depressed King in blue of Dreylatia in the capital of Harcosa * his kingdom was crumbling, and his people were out for his blood * a beast came to him, and offered that it can make everyone in the kingdom happy for a worthy price. * the King offered his name, but it was not enough * he went to his libraries, and traded every name of every citizen gathered in the kingdoms annual Census * upon relinquishing the names of all his people, the citizens broke in to his mighty fortress. Just before they can kill him the beast fulfilled the Kings wish * Mag N Ficent was born, and they used their mighty reality changing Jukes (Joy Nukes) gifted by the beast to convert the kingdom into Hahalatia, creating the great crater with the ruins of Harcosa in the center ==Inter-kingdom relations== [[File:Hahalatia political comic.png|thumb]] ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== They made a dog shit sword and told everyone it can kill the dark lord, as a joke. Clowns sending their worst soldiers to the border poison swamps of eeeeeeeeeeeeeeeeee, suspiciously all of them have this same sword... as a joke. Clowns send crates of supposedly magical books to eeeeeeeeeeeeeeeeee. They're just joke books but they don't know any better. 147,457,348 wizards die trying to cast the, "Why did the chicken cross road" joke. 3 become chickens. They try to find out why the chicken would cross. If they don't they simply cease to exist through all time. Those who discover and understand why become chickens themselves. In turn, Hahalatian internet is filled with cryptic ads about stuff like "100 jokes you're not allowed to tell while alone in a green moon night" and if you click on any of those links your device turns into a mimic and eats you in a millisecond. They wage a kind of lukewarm war because no one would dare to set foot in the other kingdom's cursed land for long. === [[Awoogalia]] === The other kingdoms have tried to shake hands with Mag N. Ficent in a show of good faith, but he always did the high voltage hand buzzer on them and things go south from there. It's always a good laugh though. Awoogalia is the one kingdom on good relations with Hahalatia because Mag N. Ficent did the hand buzzer trick but accidentally powered up Napalma's batteries and she thought he did it on purpose. Mag N. Ficent has a supernatural psychic sense for jokes, like if you were immune to electricity because you drank a resistance potion or whatever, he'd know, and adjust his prank accordingly. So he used the joy buzzer powered by a special electricity that makes robots constipated. == Hahalatia Ritual == [[File:Bugs life.png|thumb]] The winners of the Halalatia Ritual held by [[The Seer]] are Team Bug's Life. After the ritual, Hahalatia became the continent's central hub for (attempted) interdimensional travel. BA'ALO-COATL recruits various starry-eyed vermin for test launches, although most currently end in severe quantum entanglement. This is very entertaining for the citizens, and seats in the "blast zone" for these test launches can cost thousands of Blastcoin. The only vermin not enjoying this process is BA'ALO-COATL, who is growing more and more desperate to achieve the improbable. Juggalor's Circus is a cause of both great hilarity and worry for the citizens of Hahalatia. Once every 6 hours, a random vermin finds themselves teleported to the stage, where they must be sufficiently entertaining to earn their freedom. Every other kingdom has officially recognised this as a form of torture, but the official stance of the kingdom is that it is "really funny for everyone except for that one guy, which makes it even funnier". Nailson from [[Big "Host" Smells|Big "Tournament" Smells 3]] is also there. He was just in his home in [[Yas Blamgeles]] doing taxes when he got yanked halfway across the planet to fight a mammoth and a horse. ==Trivia== * They have no roads and are nomads, the clown cars for them are like horses for steppe people, circuses are mostly roaming after all. the groups that settle down build circus tents. * They even have flying circuses but only british humour is allowed in them. * Clown cars used to roam free, like buffalo. * The clown vomit colour scheme of Hahalatia is actually a natural rock formation. * "Your honor, he was doing a little trolling" is a viable legal defense in Hahalatia. * Hahalatian internet is populated with clowns who spend too much time laughing at things and get desensitized to normal humor so they have to engineer more and more insane humor to get a laugh. ** The only thing you see on Hahalatian social media is 4D "memes" that have too many layers of funny to be understandable by outsiders, such as deranged soygraavs. ** The fringe community NoLaugh exists for clowns who abstain from laughing. Some claim to have developed superpowers from holding in their laughter. *** Scientists estimate that the combined potential energy of NoLaughers could blow the entire island off the map if they all released it at once, possibly from hearing an extremely funny joke. [[Category:Kingdoms]] [[Category:Hahalatia]] e49acf06617dafdd1fda3c5283bace4fdaccfe8c File:Awoogalia island.png 6 337 817 2023-09-11T01:54:22Z Subaluwa 2 wikitext text/x-wiki awoogalia island, with viet cong holes 18d42529e41e2e36602cc262d6ecfee62c747ab7 Awoogalia 0 180 818 749 2023-09-11T01:55:32Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:Zoomed in awoo.png|thumb|women]] '''Awoogalia''' is a small island kingdom off the coast of [[Tunguska]], acting as its own independent area. While not included with [[The Divided Kingdoms|the original 5]], it is a popular tourist attraction for having a large female population and also loads of money from constant war. It's quite industrial as well. Its queen is [[Warlady Napalma]]. == Information == [[File:Awoogalia island.png|thumb]] Little information is known about the kingdom at this time, except for the fact that they fucking love war. [[The Seer]] prefers to pretend they don't exist. ==Trivia== *Sunglasses are the most common non-military item produced in Awoogalia. *Awoogalia was originally a one-off joke that wasn't meant to amount to anything, but the idea turned out to be popular enough and resulted in enough discussion for it to amount to a new region in the Vermin world. <youtube>https://www.youtube.com/watch?v=UHmFbT8DPX8</youtube> 71d113c3530e1889edde3075632396c3bab055eb File:Hell Background.png 6 338 819 2023-09-11T02:52:16Z Subaluwa 2 wikitext text/x-wiki background img for hell final 0e8ac236f708432eede501001ad8df7f459197f8 Ultra Hell 0 6 820 454 2023-09-11T02:52:21Z Subaluwa 2 wikitext text/x-wiki [[File:Hell Background.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot of radiation. Thus they're dumb assholes who only know how to fight and due to the situation they live in they're able to fuse with weaker loserbitch vermins. [[Ultra Host]] was basically stopping them from going out of Plato's cave and being disintegrated or something, but now he's on a forever vacation. [[File:|thumb|right| <gallery> Hell had to win.png THE VERMIN.png|Drill God Killer King, a 7th stage hellmin filled with hectic evolutionary energy. </gallery> 71346b5008c21703f6f727e4db594020b332631e 821 820 2023-09-11T02:52:32Z Subaluwa 2 wikitext text/x-wiki [[File:Hell Background.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot of radiation. Thus they're dumb assholes who only know how to fight and due to the situation they live in they're able to fuse with weaker loserbitch vermins. [[Ultra Host]] was basically stopping them from going out of Plato's cave and being disintegrated or something, but now he's on a forever vacation.<gallery> Hell had to win.png THE VERMIN.png|Drill God Killer King, a 7th stage hellmin filled with hectic evolutionary energy. </gallery> add6e1ac9799c4c1aa71bad664c593fef7223852 822 821 2023-09-11T02:53:02Z Subaluwa 2 wikitext text/x-wiki [[File:Hell Background.png|thumb]] '''Ultra Hell''' is full of hellmin, who are fucked up mutated vermin with 7 stats based on the 7 deadly sins. Ultra Hell was formed when two plagues swept across [[Vermerica]] and turned half the island into gross fucked up crud. Everyone who didn't evacuate to [[Yas Blamgeles]] (called The City at the time) turned into a hellmin. ==Hellmin== Basically they spawn by abiogenesis in an underground cave complex underneath a city now overtaken by two plagues and a lot of radiation. Thus they're dumb assholes who only know how to fight and due to the situation they live in they're able to fuse with weaker loserbitch vermins. [[Ultra Host]] was basically stopping them from going out of Plato's cave and being disintegrated or something, but now he's on a forever vacation.<gallery> Hell had to win.png THE VERMIN.png|Drill God Killer King, a 7th stage hellmin filled with hectic evolutionary energy. </gallery> f290e47ae698f61d3d641eedb6c373e28997fcde Glossary 0 339 823 2023-09-15T07:26:14Z Bigsmells 7 Created page with "== Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two a..." wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. These are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter in these tournaments and they are largely for fun. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. 74b6c3dcf00c8846dcb6b67a48675e0a89d773b2 824 823 2023-09-15T07:27:43Z Bigsmells 7 wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. These are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter in these tournaments and they are largely for fun. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. 71cc06f6248a97c7ab255166cf18d7eeb9aa805b 825 824 2023-09-15T07:35:23Z Bigsmells 7 wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. These are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter in these tournaments and they are largely for fun. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. 221451454c0af54a6e98cf2a02283db14e544d58 826 825 2023-09-15T07:36:53Z Bigsmells 7 /* Gimmick Tournaments */ wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. These are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter, and only the vermin's third stage design is considered. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. 03f0c60f7b9fe23f1cd47c40e16fbba7bb7b26a2 827 826 2023-09-15T08:41:47Z Bigsmells 7 wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Cosmetic Ability''' - An ability that is purely visual and optional for hosts to implement. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. After a set amount of time, a set amount of vermin are randomly chosen and a tournament bracket is made. Postrushes are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter, and only the vermin's third stage design is considered. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. 192b85d580a3febf08ce12d3ce2213d05194ef49 828 827 2023-09-15T08:50:16Z Bigsmells 7 wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Cosmetic Ability''' - An ability that is purely visual and optional for hosts to implement. * '''Solo Ability''' - An ability that is only relevant in 1v1 tournaments. Some vermin have both solo and team abilities, but only the relevant one will be implemented per tournament. * '''Team Ability''' - An ability that is only relevant in tournaments where it has allies. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. After a set amount of time, a set amount of vermin are randomly chosen and a tournament bracket is made. Postrushes are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter, and only the vermin's third stage design is considered. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. f4f61d51a35f5d484e542379413922c22c3d89cf 829 828 2023-09-15T09:42:44Z Bigsmells 7 /* Gimmick Tournaments */ wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Cosmetic Ability''' - An ability that is purely visual and optional for hosts to implement. * '''Solo Ability''' - An ability that is only relevant in 1v1 tournaments. Some vermin have both solo and team abilities, but only the relevant one will be implemented per tournament. * '''Team Ability''' - An ability that is only relevant in tournaments where it has allies. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠Postrush channel when an announcement is made to do so. After a set amount of time, a set amount of vermin are randomly chosen and a tournament bracket is made. Postrushes are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter, and only the vermin's third stage design is considered. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. * '''Moonspin Tournament''' - A style of tournament hosted by AKS using his battle engine. Vermin fight normally, but they are paired with their previous evolutions as teammates. Vermin must also have Burst Modes, and are drawn on-the-fly. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. 26ad7089ff00e63a93576e98fd7befa17cb5360a 830 829 2023-09-15T09:45:16Z Bigsmells 7 /* Vermin-Related */ wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Cosmetic Ability''' - An ability that is purely visual and optional for hosts to implement. * '''Solo Ability''' - An ability that is only relevant in 1v1 tournaments. Some vermin have both solo and team abilities, but only the relevant one will be implemented per tournament. * '''Team Ability''' - An ability that is only relevant in tournaments where it has allies. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. * '''On-the-fly''' - A vermin whose evolution have been created independently of each other, usually by different creators. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠"Postrush" channel when an announcement is made to do so. After a set amount of time, a set amount of vermin are randomly chosen and a tournament bracket is made. Postrushes are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter, and only the vermin's third stage design is considered. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. * '''Moonspin Tournament''' - A style of tournament hosted by AKS using his battle engine. Vermin fight normally, but they are paired with their previous st ges aas teammates. Vermin must also have Burst Modes, and are drawn on-the-fly. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. * '''Pageant''' - A community event in which new vermin are drawn and submitted, and then the public is able to vote for their favourites. The winning vermin's artist will typically get a vanity role as a reward. 8afa6cb608c1b536f9e2e60103e1bc5325227b31 831 830 2023-09-16T00:04:19Z Arllyhautegoth 4 wikitext text/x-wiki == Vermin-Related == * '''Vermin''' - The term for a creature that lives in the vermin world and participates in tournaments. * '''Sheet''' - An image containing all of a vermin's stages and their properties. Used to enlist vermin into tournaments. * '''Mook''' - A first-stage vermin that does not evolve. * '''Burst Mode''' - An optional fourth stage that vermin can have. Has either 35 points to distribute into stats, or 30 points an an ability, or 25 points and two abilities. * '''Cosmetic Ability''' - An ability that is purely visual and optional for hosts to implement. * '''Solo Ability''' - An ability that is only relevant in 1v1 tournaments. Some vermin have both solo and team abilities, but only the relevant one will be implemented per tournament. * '''Team Ability''' - An ability that is only relevant in tournaments where it has allies. * '''Eligibility''' - Once a vermin has reached their third stage in a tournament, they are retired and cannot enter any other tournament. * '''On-the-fly''' - A vermin whose evolution have been created independently of each other, usually by different creators. == Tournament-Related == * '''Host''' - Those who run tournaments, anyone can become one. In the context of worldbuilding, they are a separate type of creature from vermin. * '''Tournament''' - A series of vermin battles determined by a bracket, culminating in the crowning of a Champion. Vermin will typically start at their first stage, and then evolve into their higher stages after winning fights. Tournaments are typically held between Friday and Sunday of each week. * '''Postrush''' - The term for tournament signups - you rush to post your vermin's sheet in the ⁠"Postrush" channel when an announcement is made to do so. After a set amount of time, a set amount of vermin are randomly chosen and a tournament bracket is made. Postrushes are also typically held between Friday and Sunday of each week. * '''Raffle''' - A longer-term variant of postrushes that get their own individual channels. Some hosts may prefer using these over normal postrushes, but they act essentially the same. * '''Losers' Bracket''' - Some tournaments will have a losers' bracket, wherein vermin that lose a fight get to fight each other to stay in the tournament. Once a vermin loses two fights, they are out of the tournament for good. Unlike normal tournaments, vermin still evolve upon losing but only lose their eligibility status after winning two fights. * '''BlastCoin (BC)''' - A currency used solely for betting on Tournaments. If you have less than 1000 BC, you'll get 100 a day until you reach 1000. BlastCoin has no other function and is simply for fun. == Gimmick Tournaments == * '''Duel Tournament''' - A style of tournament hosted by Neopolis using his gimmick battle engine, in which fights are settled through a card game. Stats largely correspond to the cards in each vermin's deck, and abilities are reinterpreted as special cards. * '''GBA Tournament''' - Stands for Gnaw Battle Arena Tournament. A style of tournament hosted by Gnaw Host using his gimmick battle engine, in which fights are in a 3v3 format and play out similarly to a MOBA. * '''SC Tournament''' - Stands for Soulcalibur Tournament. A style of tournament hosted by SOuLSCALibur HOST using Soul Calibur VI. Stats and abilities do not matter, and only the vermin's third stage design is considered. * '''Bullet Hell Tournament''' - A style of tournament hosted by Ralphie Host using a gimmick battle engine. Similar to normal tournaments, but the vermin fly around in the sky and positioning is very important. * '''Battle Cats Tournament''' - A style of tournament hosted by Doin Host using his gimmick battle engine. Teams of 5 vermin (one Burst Mode, one third-stage, one second-stage, and two mooks) battle in a format inspired by Battle Cats in a round robin style until one team scores the most wins. * '''Moonspin Tournament''' - A style of tournament hosted by AKS using his battle engine. Vermin fight normally, but they are paired with their previous st ges aas teammates. Vermin must also have Burst Modes, and are drawn on-the-fly. == Miscellaneous == * '''Community Event''' - Occasionally, we will organise special events to bring out the creativity of the community. These events revolve around vermin, but do not revolve around tournaments or fighting. The "Community Archive" category at the bottom of the Discord server contains all the past events we have held. * '''Pageant''' - A community event in which new vermin are drawn and submitted, and then the public is able to vote for their favourites. The winning vermin's artist will typically get a vanity role as a reward. * '''Rigged''' - What every tournament is aa0af56ec6e99fdfa64fc9313342a35abbc078dc Skultists 0 317 832 785 2023-09-27T02:23:16Z NLD 3 /* Members */ wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * [[Skultist Hollow-Headed Heavy|Hollow-Headed Heavies]] * [[Skultist Bag-o-Bones|Bag-o-Bones]] ==== Beasts ==== * Fishbones * Salmortis' * [[Skultist Megalomarine|Megalomarines]] * Rattled Snakes * Lizardarks * [[Skultist Grave Gila|Grave Gilas]] * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] * Glabella Golems * Parietowers * [[Skultist Giant Fortressaulter Skolem|Fortressaulter Skolem]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other direct members ==== * Tibia Trapper * [[Muertoreador]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * Mook Knight Units * The Walking Cage * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) * The TroyBohBon Bros. * The Midblights ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * [[Yamata-no-Dokurochi]] * [[Skultist Foolich|Foolich]] 6268e2e0ba1e3c470c514ecb28f0a54b5d35050d 833 832 2023-09-27T02:23:51Z NLD 3 /* Recruits */ wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * [[Skultist Hollow-Headed Heavy|Hollow-Headed Heavies]] * [[Skultist Bag-o-Bones|Bag-o-Bones]] ==== Beasts ==== * Fishbones * Salmortis' * [[Skultist Megalomarine|Megalomarines]] * Rattled Snakes * Lizardarks * [[Skultist Grave Gila|Grave Gilas]] * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] * Glabella Golems * Parietowers * [[Skultist Giant Fortressaulter Skolem|Fortressaulter Skolem]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other direct members ==== * Tibia Trapper * [[Muertoreador]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * [[Mook Knight Unit|Mook Knight Units]] * [[The Walking Cage]] * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) * [[The TroyBohBon Bros.]] * The Midblights ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * [[Yamata-no-Dokurochi]] * [[Skultist Foolich|Foolich]] cf53596db4742db660394e45acd20259d2f3079e Greater Ohio 0 28 834 746 2023-10-04T18:57:07Z 81.110.14.248 0 /* Inter-kingdom relations */ wikitext text/x-wiki {{InteractiveMap}} [[File:Ohio map.png|thumb]]'''Greater Ohio''' is one of the [[Divided Kingdoms]]. It is ruled by [[Archmungus Emeloth]]. ==History== [[File:Ohio landscape.png|thumb]]Originally, it was a failing kingdom stricken by famine. The people used runestones to transport a land of plenty to them, which turned out to be Ohio. However, the sentient runestones turned on their creators and wiped out the kingdom, which is now occupied by the runestones' descendants. ==Information== [[File:Lower ohio citizens.png|thumb|Citizens of Lower Ohio.]] Humans live on top of Ohio. None of them know that they got isekaied from our universe to the vermiverse. Conversely, the existence of alien life on Upper Ohio is a closely-guarded secret known only to Emeloth's court. The runestone people use their magic to keep Ohio floating. Otherwise they'd get squished. They love corn. They hate wheat. <youtube width="200" height="200">hvoagWSOw_Y</youtube> ==Inter-kingdom relations== ===[[EEEEEEEEE|ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]]=== Ohio and ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ share an uneasy truce due to both being fallen kingdoms full of angst and trauma. However, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ harbors unspoken envy for Ohio's rich, flowing fields of grain. ===[[Ballingypt]]=== Ohioans hate Ballingypt because they're dirty wheat-eaters. (Technically they eat yeat but the distinction is academic.) Despite this, Greater Ohio is somewhat dependant on Ballingypt, as it's the only nation where raw ball can be found. Raw ball is important in Greater Ohio as it is an essential item for making crystal balls. Ballingyptians look down upon Ohioans for being nerds who suck at sports. ==Trivia== * Blue potatoes are the ultimate weed in Ohio. First introduced by the [[Hahalatia|clowns]], nobody’s been able to fully get rid of them. They keep showing up in unexpected places, much to the distress of the inhabitants and the humor of the clowns. [[Category:Kingdoms]] [[Category:Greater Ohio]] 942920bcd4c9187b7d8ea820f4fb461f728160a4 File:Duel Host and Bob in Ballingypt.png 6 340 835 2023-10-04T22:42:49Z Neopolis 8 wikitext text/x-wiki Duel Host and Bob in Ballingypt 31b8d14ae484a4e0f53d99740b5c1ec1f9d08d65 Duel Host 0 96 836 782 2023-10-04T22:48:59Z Neopolis 8 look Gary, there I am! wikitext text/x-wiki [[File:Duel Host and Bob in Ballingypt.png|thumb|Duel Host and Bob in [[Ballingypt]]]] '''Duel Host''' is a mysterious host with a connection to [[Ballingypt]], as explored in Duel GX 5. His left eye is artificial and his head resembles a sad Electrode (or a bowl of rice) (or the Polish flag) ==Information== Two thousand years ago, Duel Host lived and hosted in the location now known as Ballingypt, alongside [[Sports Host]]. The two did not get along, and eventually clashed, agreeing that the loser would never host there again. Duel Host lost, and, as promised, banished himself. He would not return until two thousand years later to see the land now known as Ballingypt, disgusted by the late Sports Host's lingering effect on the people. Duel Host is not Punchbag Bob, who is Duel Host's assistant.[[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel Vermin game store, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. Bob is the guy who yells "IT'S TIME TO D-D-D-D-DUEL" before every match. He also helps with balancing. ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 60% winrate in his tournaments. * His relation to the [[Lord of Misrule]] is unknown. ** The two have never actually met, since the Lord of Misrule's summoning took place on [[Halloween Island]] and not the card shop. [[Category:Hosts]] 90f25588a8d2520b7f1ba94198fe094ca7436df0 844 836 2023-10-05T02:33:14Z REALVerminBeing 18 wikitext text/x-wiki [[File:Duel Host and Bob in Ballingypt.png|thumb|Duel Host and Bob in [[Ballingypt]]]] '''Duel Host''' is a mysterious host with a connection to [[Ballingypt]], as explored in Duel GX 5. His left eye is artificial and his head resembles a sad Electrode (or a bowl of rice) (or the Polish flag) ==Information== Two thousand years ago, Duel Host lived and hosted in the location now known as Ballingypt, alongside [[Sports Host]]. The two did not get along, and eventually clashed, agreeing that the loser would never host there again. Duel Host lost, and, as promised, banished himself. He would not return until two thousand years later to see the land now known as Ballingypt, disgusted by the late Sports Host's lingering effect on the people. Duel Host is not Punchbag Bob, who is Duel Host's assistant.[[File:Duel champs.jpg|thumb]] Punchbag Bob runs the Duel Vermin game store, but he doesn't hold the tournaments because he isn't a [[Vermin and Hosts|host]]. Bob is the guy who yells "IT'S TIME TO D-D-D-D-DUEL" before every match. He also helps with balancing. ==Trivia== * He doesn't know what women are. He just wants to play card games. ** This is his excuse for why women have a 60% winrate in his tournaments. * His relation to the [[Lord of Misrule]] is unknown. ** The two have never actually met, since the Lord of Misrule's summoning took place on [[Halloween Island]] and not the card shop. *Told a joke that went, "I'm just polish-ing your leg." No one laughed and this event has since traumatized him greatly. [[Category:Hosts]] 2aeadb5c797eda9b4a4195cf996e2c0d5666164a Sports Host 0 341 837 2023-10-04T22:56:02Z Neopolis 8 Created page with "'''Sports Host''' is a a [[host]] long thought dead, brought back to life after some shenanigans happened during Duel GX 5. ==Information== Two thousand years ago, Sports Host lived and hosted in the location now known as [[Ballingypt]], alongside [[Duel Host]]. The two did not get along, and eventually clashed, agreeing that the loser would never host there again. Duel Host lost, and Sports Host was crowned pharaoh. The people forgot about card games and focused only o..." wikitext text/x-wiki '''Sports Host''' is a a [[host]] long thought dead, brought back to life after some shenanigans happened during Duel GX 5. ==Information== Two thousand years ago, Sports Host lived and hosted in the location now known as [[Ballingypt]], alongside [[Duel Host]]. The two did not get along, and eventually clashed, agreeing that the loser would never host there again. Duel Host lost, and Sports Host was crowned pharaoh. The people forgot about card games and focused only on sports, eventually leading to the land being named Ballingypt. Sports Host has a magical ball, the Ball of Ballers, that keeps him in peak physical condition and prevents him from dying while doing all the stupid shit he regularly does. However, some indeterminate amount of time after becoming pharaoh, the Ball of Ballers was stolen by an imp thief, and replaced with a fake replica. Not noticing the switcheroo, Sports Host tried doing the sickest dunk of all time and immediately died. Or did he? Sports Host was buried in a pyramid, left undisturbed for two thousand years, until the finale of Duel GX 5 caused the Ball of Ballers to be unearthed again. Proximity to the ball, and proximity to his most hated enemy standing in his home talking about how there's more to life to ballin', caused him to spontaneously come back to life to dropkick Duel Host off a table. He seems to intend to continue living despite missing two thousand years of leg day. ==Trivia== * [[The Seer]] hates his guts. [[Category:Hosts]] 202501ff718f0750608e9b33ec3d9aeb74f3fc4d 841 837 2023-10-04T22:58:46Z Neopolis 8 Images wikitext text/x-wiki [[File:SportsHostPharaoh.png|thumb|212x212px|Sports Host being crowned pharaoh after Duel Host's banishment.]] '''Sports Host''' is a a [[host]] long thought dead, brought back to life after some shenanigans happened during Duel GX 5. ==Information== [[File:Sportshost5.png|thumb|284x284px|Sports Host's Ball of Ballers gets stolen by an imp]] Two thousand years ago, Sports Host lived and hosted in the location now known as [[Ballingypt]], alongside [[Duel Host]]. The two did not get along, and eventually clashed, agreeing that the loser would never host there again. Duel Host lost, and Sports Host was crowned pharaoh. The people forgot about card games and focused only on sports, eventually leading to the land being named Ballingypt. Sports Host has a magical ball, the Ball of Ballers, that keeps him in peak physical condition and prevents him from dying while doing all the stupid shit he regularly does. However, some indeterminate amount of time after becoming pharaoh, the Ball of Ballers was stolen by an imp thief, and replaced with a fake replica. Not noticing the switcheroo, Sports Host tried doing the sickest dunk of all time and immediately died. Or did he? Sports Host was buried in a pyramid, left undisturbed for two thousand years, until the finale of Duel GX 5 caused the Ball of Ballers to be unearthed again. Proximity to the ball, and proximity to his most hated enemy standing in his home talking about how there's more to life to ballin', caused him to spontaneously come back to life to dropkick Duel Host off a table. [[File:SportsHost.png|thumb|261x261px|Sports Host the Returned]] He seems to intend to continue living despite missing two thousand years of leg day. ==Trivia== * [[The Seer]] hates his guts. [[Category:Hosts]] acf88036171ffcf343f799e94c8f4a90151558fd 843 841 2023-10-05T02:31:05Z REALVerminBeing 18 /* Trivia */ wikitext text/x-wiki [[File:SportsHostPharaoh.png|thumb|212x212px|Sports Host being crowned pharaoh after Duel Host's banishment.]] '''Sports Host''' is a a [[host]] long thought dead, brought back to life after some shenanigans happened during Duel GX 5. ==Information== [[File:Sportshost5.png|thumb|284x284px|Sports Host's Ball of Ballers gets stolen by an imp]] Two thousand years ago, Sports Host lived and hosted in the location now known as [[Ballingypt]], alongside [[Duel Host]]. The two did not get along, and eventually clashed, agreeing that the loser would never host there again. Duel Host lost, and Sports Host was crowned pharaoh. The people forgot about card games and focused only on sports, eventually leading to the land being named Ballingypt. Sports Host has a magical ball, the Ball of Ballers, that keeps him in peak physical condition and prevents him from dying while doing all the stupid shit he regularly does. However, some indeterminate amount of time after becoming pharaoh, the Ball of Ballers was stolen by an imp thief, and replaced with a fake replica. Not noticing the switcheroo, Sports Host tried doing the sickest dunk of all time and immediately died. Or did he? Sports Host was buried in a pyramid, left undisturbed for two thousand years, until the finale of Duel GX 5 caused the Ball of Ballers to be unearthed again. Proximity to the ball, and proximity to his most hated enemy standing in his home talking about how there's more to life to ballin', caused him to spontaneously come back to life to dropkick Duel Host off a table. [[File:SportsHost.png|thumb|261x261px|Sports Host the Returned]] He seems to intend to continue living despite missing two thousand years of leg day. ==Trivia== * [[The Seer]] hates his guts. * Something ate his other shoe and leg. * Also his hand. * Who knows what else. [[Category:Hosts]] 00eb7991d2902f46d8094e07f5bd20ed69d815f2 File:SportsHostPharaoh.png 6 342 838 2023-10-04T22:57:11Z Neopolis 8 wikitext text/x-wiki Sports Host being crowned pharaoh d533cc5ab1936f683f669629db9016634d0c86be File:Sportshost5.png 6 343 839 2023-10-04T22:57:56Z Neopolis 8 wikitext text/x-wiki Sports Host's Ball of Ballers gets stolen by an imp dbd52bcfb54aa6274f572e24308da9a7aadc3616 File:SportsHost.png 6 344 840 2023-10-04T22:58:23Z Neopolis 8 wikitext text/x-wiki Sports Host the Returned af9e50e679d13973e59b707b5c921c1aefe5c78a Main Page 0 1 842 816 2023-10-04T23:00:26Z Neopolis 8 wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] * [[Some Crazy Bastard]] 7f66199d66f0bd2ff24cdd0c427147d71a0921e0 858 842 2023-11-04T14:53:00Z Codacoda 10 /* Champions */ more additions wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Bush Wizard]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Smilred]] * [[Some Crazy Bastard]] 3ef472d6c7a6dd096eeca7ef8ee2c7d0d9b872cd EEEEEEEEE 0 50 845 743 2023-10-05T05:25:58Z Subaluwa 2 /* Vermilion pears */ wikitext text/x-wiki {{InteractiveMap}} [[File:Eee map.png|thumb]] '''ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝''' (Common Goopese: ✨ ([https://www.youtube.com/watch?v=w-Hr3XFJ8FA listen])) is one of the [[Five Kingdoms]], ruled by [[Grimmald]]. This kingdom is full of toxic goop and poison swamps. Due to the lack of arable land or natural resources, this kingdom's inhabitants have turned towards dark gods and eldritch daemonbeasts to survive. ==Information== <gallery> Eeeee comic.png|A resident of EEEEEEEEE sacrificing a lesser beaver to a shadow daemon. Dark seoul.png|The flag of EEEEEEEEE. </gallery> Shadow daemons are a regular feature in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. They provide boons in exchange for sacrifices great and small. Citizens regularly sacrifice small animals, household objects, treasured possessions, and even their own names to the daemons, who grant them food, strength, and raw materials. In fact, ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝'s name was sacrificed to a daemon long ago; whenever someone tries to speak the name of the kingdom, all that comes out is a high-pitched noise. ===Vermilion pears=== [[File:Paer.png|thumb]]Anyone vanquished by [[Grimmald]]'s sword Vermilionpear Darksoul turns into a pear tree that bears special fruit that summons a lone soul to be its forever guardian. There are multiple trees, and once you defeat one of the guardians and get to the vermilionest pear, you must choose to either add it to your healing flask of potioning or let it flourish into a super cool sword. There's a pear merchant guy who's like the cabbage merchant guy from Avatar: The Last Airbender. ===Gundamned=== [[File:GUNDAMNED.png|thumb]] They have gundams, because fuck it. The Gundamned Phantasma is a big ol' robot mech created from a sacrifice. It requires a pilot, who promptly gets reduced to biomush from the strain of piloting. It mainly operates along the [[Tunguska]]n border, terrorizing the Tunguskans. Only one pilot has been psychically talented enough to survive one ride, something never done before. <gallery> Charred.png </gallery> ===Flora and fauna=== Pears are the only plant that actually grow in the toxic soil, so they are the primary crop (besides the goop, which they also farm). <gallery> Eee mook.png </gallery> ===Terrain=== The rugged, toxic terrain permeating the kingdom makes it nearly impossible to traverse safely on foot. Most citizens use specialized racecars to go from place to place. You ''can'' teleport between bonfires, but that's for casuals. <youtube>https://youtu.be/v-3XhuOfV8E</youtube> ==Inter-kingdom relations== ===[[Hahalatia]]=== ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Hahalatia are in a tense cold war consisting primarily of plausibly deniable actions and undisclosed cyberwarfare. This is because both kingdoms know stepping foot in the other would lead to a terrifying end. ===[[Tunguska]]=== Citizens of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ often sacrifice lesser beavers to their patron daemons, which has earned them the ire of [[The Incisor]]. The frontier between ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ and Tunguska is basically Mad Max Fury Road... with giant robots. ===[[Ballingypt]]=== The national sport of ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ is goop wrestling, which Ballingyptians find repugnant. ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people are too skinny and malnourished to be very athletic anyway. Ballingyptians also hate ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ people for their dodge rolling. A cultural disconnect means they see it as a form of footie flopping. ==Trivia== [[File:Pipes inc.png|thumb]] * International corporation Pipes Inc. was founded in ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝. It manufactures everything in the vermin universe, like Acme or Mann Co. (Guns, however, are made by Gun™.) * The goop is mildly magnetic. Sometimes it behaves like magnetic iron powder, mostly in the presence of powerful beings. * They have super cool race cars and really love the movie tokyo drift. ** Yeah the fucking race cars are like core fighters n shit. ** They're goop powered and instead of having, like, exhaust pipes the goop just leaks out from every seam. ** The goop aids in the drifting, it's perfect. There's designs without wheels, they kinda have a brush and drift around on goop friction. ** The goop drives for you and is still less crash-and/or-spontaneous-explosion-prone than the leading competitors. The collective goop consciousness keeps it from colliding. [[Category:Kingdoms]] [[Category:ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝]] fc9a961d4f6179e96efeddb525192fe95fafd1e0 File:Sports pyramid.png 6 345 846 2023-10-05T05:37:42Z Subaluwa 2 wikitext text/x-wiki Sports Hosts' pyramid 57292d6ee1a999e9494cac4974b10c38c44c193b Ballingypt 0 59 847 745 2023-10-05T05:49:52Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously, so much so that the main means of transportation are either jogging or, for long distances, cycling. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. === Grand Impyramid === Contained the Ball of Ballers after it was stolen by an imp 2000 years ago, raided by modern-day imp treasure hunters. === Conspicuously Oblique Pyramid === [[File:Sports pyramid.png|thumb]] This weirdly askew pyramid was where [[Sports Host]] was interred after performing a Chaos Dunk and accidentally killing himself without the protection of the Ball of Ballers. It was destroyed at the end of Duel GX 5 when Sports Host burst out of the top and challenged [[Duel Host]] to a superboss fight. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. Some architecture of the neighboring region, the Deserted Dessert Desert, seem to be quite similar to Ballingypt's, albeit with a candy-themed spin to it, and, due to the current largely deserted situation of the same, the connection remains ambiguous. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 101fffb7e64d516ec6482d121b78ca7c531069eb 848 847 2023-10-05T05:52:25Z Subaluwa 2 /* Landmarks */ wikitext text/x-wiki {{InteractiveMap}} [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously, so much so that the main means of transportation are either jogging or, for long distances, cycling. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. === Grand Impyramid === Contained the Ball of Ballers after it was stolen by an imp 2000 years ago, raided by modern-day imp treasure hunters. === Conspicuously Oblique Pyramid === [[File:Sports pyramid.png|thumb]] This weirdly askew pyramid was where [[Sports Host]] was interred after performing a Chaos Dunk and accidentally killing himself without the protection of the Ball of Ballers. It was destroyed at the end of Duel GX 5 when Sports Host burst out of the top and challenged [[Duel Host]] to a superboss fight. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. Some architecture of the neighboring region, the Deserted Dessert Desert, seem to be quite similar to Ballingypt's, albeit with a candy-themed spin to it, and, due to the current largely deserted situation of the same, the connection remains ambiguous. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] 537e035e918f7f7d4f67dd69f25e9ef3cf7df269 849 848 2023-10-05T05:53:29Z Subaluwa 2 /* Landmarks */ wikitext text/x-wiki {{InteractiveMap}} [[File:Ballingypt map.png|thumb]] '''Ballingypt''' is one of the [[Divided Kingdoms]]. Its leader is [[Gato Supreme]], aka El Gato. It is a vast desert filled with pyramids, ancient ruins, and b-ball courts. Its inhabitants tend to be feline, making the whole kingdom one big litterbox. They take sports very seriously, so much so that the main means of transportation are either jogging or, for long distances, cycling. <youtube>https://youtu.be/cmXZOI7cM0M</youtube> ==Landmarks== ===De Nile=== As the only source of fresh water, De Nile is the most important natural resource in the kingdom. It's very clean because the inhabitants don't dump their sewage in there; they bury it in the sand instead. De Nile ends in the Nile Delta. Traditional Ballingyptian beliefs hold that the Nile Delta is a place for infinitesimally small changes over time. ===Royal Court=== Gato Supreme lives on the court. It's also home to the kingdom's court of law, which is exactly what you think it is. === Conspicuously Oblique Pyramid === [[File:Sports pyramid.png|thumb]] This weirdly askew pyramid was where [[Sports Host]] was interred after performing a Chaos Dunk and accidentally killing himself without the protection of the Ball of Ballers. It was destroyed at the end of Duel GX 5 when Sports Host burst out of the top and challenged [[Duel Host]] to a superboss fight. === Grand Impyramid === Contained the Ball of Ballers after it was stolen by an imp 2000 years ago. Raided by modern-day imp treasure hunters, releasing Sports Host. ===Ball Pit=== An ill-fated basketball mine released thousands of Nyasketballs into the kingdom, which have spread prodigiously. The original mine has become utterly infested with the creatures; countless reports exist of explorers entering the area and never coming out, subsumed by the dribbling horde. ===Ancient Ruins=== Home to the Gatos Menores, an ancient tribe of Gatos (Formas de Bastones de Ra). The tribe is hostile to outsiders, especially male vermin. You have to disguise yourself as a catgirl to be granted entry. They move by swinging their bastones like the guy in Getting Over It. ==Flora and fauna== ===Agriculture=== [[File:Ballingyptian farming.png|thumb]] The main crop of the Ballingyptians is the ballive tree, which grows fruits that can be eaten or pressed into oil (not for eating, but for rubbing on your skin before you wrestle). Their staple food is yeat, which puts them at odds with the [[Greater Ohio|Ohioans]]. ===Wildlife=== [[File:Catcodile.png|thumb]] One of Ballingypt's major pests is the [[Tunguska|lesser beaver]], which devours ballive trees and farming equipment. Since lesser beavers spawn abiogenically in any small, comfortable location, they are impossible to eradicate. Pythones de Bastones, Biramids, and Catcodiles are commonly sighted around De Nile. The Pythón de Bastón is a semi-artificial creature originating from an altercation between Gato Supreme and his former adopted brother Broses. Biramids are water birds that accumulate power within their pyramidal shells, with which they can fire deadly orbital lasers. Catcodiles are the apex predator in De Nile. Unusually, they cooperate with each other to dunk prey into each others' mouths, making them a frightening force of nature to even the sapient residents of Ballingypt. <gallery> File:Catcodile2.png </gallery> ==Inhabitants== Many different [[vermin]] live in Ballingypt, but they are almost all related to sports, Egypt, or cats. <gallery> Inhabitants1.png Inhabitants2.png Inhabitants3.png Inhabitants4.png Inhabitants5.png Inhabitants6.png Inhabitants7.png Inhabitants8.png </gallery> ===Ballblins=== [[File:Ballblin.png|thumb]] Gato Supreme's loyal servants are the Ballblins, which are short pyramidal creatures font of sport (like everything else in the kingdom). A retinue of Ballblins follow him around wherever he goes, tending to his every need and reluctantly getting dunked on for the sake of the king's ego. The Ballblin social hierarchy depends on athletics. The strongest and most fit become high-ranking diplomats, generals, scientists, and advisors, while the weakest athletes are relegated to Gato babysitting duty. <gallery> Gato dunked on.png Ballingypt potions.png </gallery> ===Slamnyazons=== The Slamnyazons act as Ballingypt's fighting forces. They are the kingdom's finest troops, with balling skills rivaling El Gato himself. Their stage 1 form, the Bastters, usually serve as scouts and spies due to their nimbleness and dexterity. Slamnyazons are exemplary athletes and can easily body anything in a physical fight. They are, however, weak to magic. ===Gatomaton=== [[File:Gatomaton.png|thumb]] Gatomaton was created by the evil Dr. Handeggman to be Gato Supreme's arch-nemesis. After being built, Gatomaton challenged El Gato to a basketball game, which El Gato accepted. He knew everything El Gato was going to do, but that didn't help him, since El Gato knew everything Gatomaton was going to do. Strange, isn't it? The match ended in a draw, so now Gatomaton just kind of squats in Gato Supreme's house and bums off his food and drink. Secretly, one of the Ballblins commissioned thousands of Gatomaton clones to be mass-produced and stored in a pyramid as a last defense in case of invasion. <gallery> Goldsworth.png </gallery> ===Ballingypt's Spineless Freaks=== Upon wishing on a mokey paw (of possible [[Tunguska]]n origin), a local team of five Spinosaurs now suck at swimming or diving, but at least they can clear court as the most popular local sports team. <gallery> Spinelessfreaks.png </gallery> ==Inter-kingdom relations== ===[[Greater Ohio]]=== Ohioans hate Ballingyptians for being disgusting wheat-eaters, while Ballingyptians despise Ohioans for being huge nerds. ===[[Hahalatia]]=== illegal clown poaching (their noses make good ping pong balls) ===[[EEEEEEEEE]]=== Ballingyptians don't invite ë̸́͘ë̸́̅è̶͂e̴̻͆é̷́e̷̒͝e̷̅͘e̷͆̇ȅ̵̕e̵̿͝ folk over to parties because their national sport is goop wrestling (among other reasons). ===[[Tunguska]]=== Relations are tense with Tunguska due to Tunguska's tendency to cut down ballive orchards near the border, claiming to be only serving the will of the Wood God. However, some goodwill exists since they both use Flintstones cars. <gallery> Ranoldo.png|Ranoldo, Lord of the Punt The dam.png|The Dam Mungstar.png|Mungstar </gallery> ===[[Yas Blamgeles]]=== Ballingyptians seem to have positive regards towards basketball-oriented vermin accross the waters. Specially with Team [[Kraft Mac N' Cheese]], who helped popularize the sport after their tournament victory and overall merchandise. [[MC Raptor]]'s coach, Ghettosaur, seems to have experience with locals during his younger days, from which he learned most of his skills, until he sailed back to his homeland. Some architecture of the neighboring region, the Deserted Dessert Desert, seem to be quite similar to Ballingypt's, albeit with a candy-themed spin to it, and, due to the current largely deserted situation of the same, the connection remains ambiguous. ==Trivia== * They are weak to plagues. * Official policy dictates that anyone who can defeat El Gato in a basketball match becomes the new king, but the hoops are all so high up that only flying vermin can play. * This is their national anthem: <youtube width="200" height="200">yMyYwoTMIgY</youtube> * When someone's teeth get knocked out in a boxing match or a hockey fight, the crowd of spectators immediately tries to grab the loose teeth, hoping to acquire some of their favorite athlete's power for themselves. ** The powdered teeth of athletes are a rare and valuable resource for traditional Ballingyptian medicines. ** El Gato's secret underground laboratories study this powerful concentration of baller energy. *Spineless Freaks are based upon the reverse image of a Spinosaurus, with longer legs than arms and snouts instead of the other way around, [https://alphynix.tumblr.com/post/680273075195052032/retro-vs-modern-23-spinosaurus-aegyptiacus playing on the humored idea of the heavy debates of the animal's physiology]. The team's numbers, other than zero, are based upon 1912 and 1915, the years Spinosaurus aegyptiacus was discovered and named, respectively. Their color schemes is half [https://jurassicpark.fandom.com/wiki/Spinosaurus Jurassic Park 3 Spinosaurus] and half [https://cdn.vox-cdn.com/thumbor/00iAEcswJGgibsaK8A0wuhD7kYg=/0x0:620x429/920x0/filters:focal(0x0:620x429):format(webp):no_upscale()/cdn.vox-cdn.com/uploads/chorus_asset/file/19623341/monstars.jpg Space Jam Monstar uniform]. And the rolly-polly ball is a reference to El Dorado's [https://dreamworks.fandom.com/wiki/Bibo pet armadillo-turned-ball character Bibo.] *As a case of a retroactive [https://tvtropes.org/pmwiki/pmwiki.php/Main/AccidentallyCorrectZoology Dim Effect], Catcodile's ears give them the appearence of the [https://en.wikipedia.org/wiki/Cuban_crocodile Cuban Crocodile], who dons [https://www.aboutanimals.com/images/cuban-crocodile-head-river-bank-820x452.jpg?c14113 distinctive bony ridges that almost resemble cat ears,] as well as regarded as one of the most "terrestrial" crocodiles. However, as the name implies, these reptiles are nowhere near the setting's real life counterpart. [[Category:Kingdoms]] [[Category:Ballingypt]] f89419df6c30e2c1216617fc7389613ba3456736 File:Sapthirster.png 6 346 850 2023-10-13T09:54:58Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Skidderwheel.png 6 347 851 2023-10-13T09:55:11Z Subaluwa 2 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Tunguska 0 57 852 744 2023-10-13T09:55:43Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII == Technology == The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the citizens of Tunguska.<gallery> File:Sapthirster.png File:Skidderwheel.png </gallery> ==Inter-kingdom relations== ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 105473c277c972ff6cdf412687d9b849cd42d2ee 854 852 2023-10-13T10:01:44Z Subaluwa 2 wikitext text/x-wiki {{InteractiveMap}} [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII == Technology == The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the citizens of Tunguska.<gallery> File:Sapthirster.png File:Skidderwheel.png </gallery> ==Inter-kingdom relations== === [[Greater Ohio]] === don't ever buy no blue corn from ohio bro... [[File:Blue corn.png|frameless|238x238px]] ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 1dd9ed8ba7de1af30dca433a14057d0decda0889 855 854 2023-10-13T10:02:05Z Subaluwa 2 /* Greater Ohio */ wikitext text/x-wiki {{InteractiveMap}} [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII == Technology == The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the citizens of Tunguska.<gallery> File:Sapthirster.png File:Skidderwheel.png </gallery> ==Inter-kingdom relations== === [[Greater Ohio]] === don't ever buy no blue corn from ohio bro... [[File:Blue corn.png|frameless|238x238px]] ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 3d8ac43677e4a6f8e0a90e63462add9218ead085 File:Blue corn.png 6 348 853 2023-10-13T09:58:34Z Subaluwa 2 don't ever buy no blue corn from ohio bruh... wikitext text/x-wiki == Summary == don't ever buy no blue corn from ohio bruh... 02402b088adcebd2d4082172aa0b525f0ceda633 File:Infinite wumpus.png 6 15 856 27 2023-10-18T09:22:14Z Subaluwa 2 Subaluwa uploaded a new version of [[File:Infinite wumpus.png]] wikitext text/x-wiki the infinite wumpus with lots of branches e6b8569138ebdc3cc3e1bd6f275ccf2198fd8e57 Coin Host 0 43 857 432 2023-10-27T04:43:17Z Subaluwa 2 wikitext text/x-wiki [[File:Coin Host.png|thumb|200px]] '''Coin Host''' is a [[host]]. He runs Battle Cats tournaments. ==Information== He is formerly from the old universe, but was spirited away by Elder Crab Bucket to the [[Infinite Wumpus]] space station just before [[VEK Host]] destroyed the world. Coin Host has a counterpart in the new universe known as Doin Host. Since Coin Host lost his old Blorf and Dinoswordus bases to the VEKpocalypse, he relies on Doin Host to hold tournaments for him. [[File:Coin doin slap.png|thumb]] Doin Host is morose and pessimistic due to growing up in an era where vermins was dead. He doesn't break out his Age of War engine unless Coin Host forces him to. He held Doin Tournament 2 to raid [[Blue Sky]]'s pocket dimension for the valuable statues, inadvertently releasing Blue Sky himself in the process. After Doin Tournament 3, a host-like entity called Coni Host came to the Wumpus Station to beat the crap out of Coin Host. Coni Host apparently originates from a massive lake of host energy created by Doin Host's leaking respawn machines. ==Trivia== * Elder Crab Bucket is constantly nagging him to hold tourneys again, but he's too lazy and easily distracted. * He pays for all the money in his tournaments. [[Category:Hosts]] 522982c23da783585e590d9e694e757c37aa1943 File:Bigsuze.png 6 349 859 2023-11-04T15:31:48Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Vermin-smilred.png 6 350 860 2023-11-04T15:32:06Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Smilred 0 315 861 759 2023-11-04T16:00:20Z Codacoda 10 /* Tournaments */ more information wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise. ** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. ** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. ** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 644a29c64e02fb6f5619b24d0d62aba70fe11d17 863 861 2023-11-04T16:04:58Z Codacoda 10 /* Trivia */ more trivia wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise. ** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. ** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. ** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. * Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] [[Category:Vermin]] [[Category:Mooks]] ad05afef1338535541baf12911674b20aadc7615 864 863 2023-11-04T16:05:44Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] e1e88ef1d6e9de5d639ade09405368c40f2589bd 866 864 2023-11-04T16:09:06Z Codacoda 10 wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 35edb00f8adfaef587d1b0da8876adc5743ba01b 867 866 2023-11-04T16:09:46Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 37298463560b02fbaa2f8ca1892bdf6195e9d04b 868 867 2023-11-04T16:10:01Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] fc524d6ca68a290e4019ec37187cc55a6f4515f4 869 868 2023-11-04T16:13:19Z Codacoda 10 /* Moonspin 2: Awoogalian Boogaloo */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speach, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] a551ec658ebc6be1ccf756c9ccdc49289c103fee Original timeline 0 107 862 379 2023-11-04T16:01:19Z Codacoda 10 /* Former residents */ wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the '''new universe''' through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as [[Starters#Blorf|Blorf]] and [[Blue Sky]]. The new universe has the formal designation [[Infinite Wumpus|Wumpus]] Branch 2157A<sup>[https://www.youtube.com/watch?v=rK74DohYXhY source]</sup>. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] * [[Dinoangulus]] * [[Smilred|Smilred (as Big Suze)]] 25df42afda5ce344d38797785956140991b79ca4 865 862 2023-11-04T16:06:21Z Codacoda 10 /* Former residents */ wikitext text/x-wiki [[File:Timeline split.png|thumb]] The '''old universe''' was the primary [[vermin]] timeline, until [[VEK Host]] destroyed it. Many vermin from the old universe fled to the '''new universe''' through the Sealed Door, where [[Yas Blamgeles]] is the main city rather than New Blorf City. VEK Host's rigging of reality caused the old timeline to split, forming an offshoot universe where he lost. This is known as the Ralphie universe, where Kingest Fight Club is the primary tournament. The Ralphie universe is self-contained and has nothing to do with the new universe. The new universe is almost completely different from the old one, but a few vermin have counterparts in the new universe, such as [[Starters#Blorf|Blorf]] and [[Blue Sky]]. The new universe has the formal designation [[Infinite Wumpus|Wumpus]] Branch 2157A<sup>[https://www.youtube.com/watch?v=rK74DohYXhY source]</sup>. ==Former residents== * [[Starters#Laserface|Laserface]] * [[Virulent Balls]] * [[Coin Host]] * [[Lord of Misrule]] * [[Dinoangulus]] * [[Smilred|Smilred (as "Big Suze")]] f29d0f3419516c2d431fd160af9140d423fa138b Smilred 0 315 870 869 2023-11-04T16:15:16Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage proppeled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 6c6b0b83255e992c43c544a7be649037e0be7842 871 870 2023-11-04T16:16:13Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, this only sped up the process, as achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] a4bdc7c68247ec8c97e4741c6cee3f866bf154ad 872 871 2023-11-04T16:16:40Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 7df69324607661ea75c84cdfe957701271ad8da8 873 872 2023-11-04T16:17:28Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 9bc5a468526933281cc085d6b43898b01d777a1a 877 873 2023-11-09T15:18:45Z Codacoda 10 wikitext text/x-wiki <code>#REDIRECT [[Special:MyLanguage/Smilred|&lt;/nowiki&gt;''Big Suze'']]</code> [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 782c87d885249a4bd2472542a05d3ae06a5bbaa1 878 877 2023-11-09T15:19:06Z Codacoda 10 wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, send to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] ef94458f8b13cf4ccc7b0a668ee6c70be1374854 880 878 2023-11-09T15:22:37Z Codacoda 10 /* Moonspin 2: Awoogalian Boogaloo */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe, detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 798ccc2110877330337a8b190d178eacfa25141d 882 880 2023-11-09T15:30:55Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 2654309b4726729fa79ef93b7bd9e525a8a1287f 883 882 2023-11-09T15:31:57Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Tournaments == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 3v3 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 474538da2a3be4e11172a17a04eeb2bfe59a90f1 909 883 2023-11-14T04:00:32Z Codacoda 10 /* Tournaments */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Performance == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 3v3 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. [[Category:Vermin]] [[Category:Mooks]] 2672d21d988f22c62c622c3af698a59b31d43a29 910 909 2023-11-14T04:01:42Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a mook with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Performance == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 3v3 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. * Every stage in Smilred's line has been drawn by a different person. [[Category:Vermin]] [[Category:Mooks]] dc02ac4b2db88aedba1785157cfecd8279608c14 915 910 2023-11-14T04:09:52Z Codacoda 10 wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a [[mook]] with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Performance == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 3v3 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. * Every stage in Smilred's line has been drawn by a different person. [[Category:Vermin]] [[Category:Mooks]] 3879522285a95afa9f0be5473a635997d5a535a7 Macroevolution 0 76 874 430 2023-11-04T16:22:41Z Codacoda 10 /* Lore */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The tournament sweep was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the ones in the sheet are quite beady and easy to miss with the dark coloration of his skin. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] 960bf0a2b66ac3b8ccdc54e73ee53fe6914ff683 875 874 2023-11-04T16:23:32Z Codacoda 10 /* Lore */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The tournament sweep was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish off the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunt Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the ones in the sheet are quite beady and easy to miss with the dark coloration of his skin. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] 92b5596753dc54de3237c2c33fe4b58151760dd5 876 875 2023-11-04T16:25:10Z Codacoda 10 /* Lore */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3f1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The tournament sweep was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish off the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunct Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the ones in the sheet are quite beady and easy to miss with the dark coloration of his skin. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] aaf6f12a2474105a635f2dc88707280e79745e51 904 876 2023-11-14T03:00:19Z Codacoda 10 /* Spore-nament II (2v2) */ wikitext text/x-wiki {{Quote|YEEEEEEAAAHHHHH!!! FUCK YEEEEEEAAAAHHH!!!!|'''''Macroevolution''', seconds after champing in the Spore-nament II (2v2) - August 22, 2021.''}} [[File:Marcroevo.png|left|Macroevolution's refined design, now in its entire alien salamander glory.]] [[File:v-macro.png|thumb|right|The original sheet, intended to be made on a whim due to the slightly humorous verbose name.]] ''Macroevolution'' (also known as ''Macro'' or ''Macroevo''), alongside ''[[Dikeye]]'', is a member of the champion team '''[[Natural Selection]]''' from the Second Spore Tournament, featuring a 2v2 format. It is also one of the current few non-Loser's Bracket vermin with the highest winning streak as of now. == Performance == [[File:Macroevospore1.png|thumb|100px|Macroevolution in the 2nd Spore-nament.]] [[File:v-tnatsec.png|thumb|left|100px|Macroevolution with [[Dikeye|Eyebis]], his partner's first stage. Also the first revamp of his design to a less spindly creature.]] ===Spore-nament II (2v2)=== This section will be treating the performance as a team rather than individual. * R1F3: vs. Team "Hey that's pretty funny, dipshit" (won) * R2F2: vs. The Masterminds (won) * R3F1: vs. Romania's Finest (won) * SUPERBOSS: vs Team Saturn's Two Man Army, composed by Shin Gatango and Psycho Devil (ft. Romania's Finest, won) ===Champion Exhibition Match=== As early tradition, champions were pitched against each other by Virulent Host after the end of their tournaments. Due to the 2v2 nature of the team, however, most current champions had to be lumped in exhibition exclusive teams to make due. As for now, Natural Selection, and for an extension, Macroevolution, holds the record for never being beaten by 5 matches, towering previous record holders Bearserker and NSFW-Fury, both with 2 consecutive victories. Due to time constraints, the team has been renamed a few times during the events. * vs. Regining Champions, composed by Osidon MK3 and NSFW-Fury (won, as team "Spore Guys") * vs. Melancholind in ''Crit Dimension,'' (won, individually) * vs. Holy Crusaders, composed by Masturblade and Rampage (won, as team "Spore Guys") * vs. Team Inconspicuous, composed by [[YAAAS]] and [[Average Dinglesaur]] (won, as team "Spore Guys") * vs. Team Deep Sea Uno, composed by Gelantern and Gofish Forth (won, as team "Spore Boys") '''Note:''' There's an unrecorded vs. Teem Deep Sea Uno match where they actually get to win, however, due to internal issues, the original match never came to be. Due to the nature of his ability as originally written, it's been mentioned how hard it was to balance it, oscilating from either being a flop or broken, thus, it works slightly differently as intended. == Information == [[File:Macroevospore.png|thumb|left|240px|Macroevolution's first display of personality.]] Macroevolution is a dark red/burgundy, chubby reptilian/amphibian alien creature with lanky limbs and tough flesh jaws. The hide of Macroevolution bears likeness to that of a newt, although dry and more rubbery, allowing it to absorb short-term damage. The ability, in conjunction with its sensitive yet tough skin, allows it to rapidly "evolve" (although it's just boosting its defensive measures) in response of threat, similar to [https://godzilla.fandom.com/wiki/Godzilla_(Shin_Godzilla_continuity)| Shin Godzilla.] Despite showing sentience, his personality is rather idiotic and vulgar, although with a friendly disposition. == Lore == [[File:Macrokek.png|left|"macrokek", Macroevolution's signature emoji in the VFC Server, which seems to find constant use.]] Macroevolution and Dikeye, as team Natural Selection, were among the sixteen vermin chosen for the second Saturn sponsored Spore-nament, set in a neighboring planet. The tournament sweep was clean yet uneventful, but it's been documented as one of the first times someone has defeated Fanta-Neil, in a rather brutal manner. However, not shortly after the victorious and noticeably friendly aftermath, a meteor crashed at the arena and releasing kaijus Shin Gatango (a renewed iteration of their previous and most iconic beast) and Psycho Devil (implied hired help/ally with the empire) along with an ominous message that revealed the tournament to be a set-up to bait and finish off the "strongest Earth champions" as a show of power by the Saturn people. However, the encounter was dealt upon easily, with the only casualty being Neil hurt in the process. Back in the Champions Valley, Dikeye started plans for a ''Natural Selection's Natural Reserve'', a forest spanning a few good acres, where several vermin, be it residents or not, can visit or live by the surrounding nature, all with a huge Dikeye Statue in the middle of it and a logo with Macroevo seen in the gates. Known regulars to this reserve are [[Team Kraft Mac and Cheese]] and [[Osidon|Osidon MK3.]] The forest could be considered as a mix of the original Jurassic Park and Yogi Bear's Jellystone Park. As of now, Macroevolution holds the champion's belt from the now-defunct Virulent Champion's Exhibition matches, winning 4 matches in a row as a team, and 1 individually. == Trivia == * Macroevolution's voice would be close to that of a raspier, slight more high pitched Taz. This has caused some ruckus with nearby older residents, who claim to dislike him. * Macroevolution's Spore model seems to lack eyes, as the ones in the sheet are quite beady and easy to miss with the dark coloration of his skin. * Statwise, it is the highest (and maybe the first, with 10 to 13 points) LIFES-focused Champion. * As the name (and the team's name) implies, this vermin was designed after the concept of [https://en.wikipedia.org/wiki/Macroevolution Macroevolution], which refers to the evolution of new organism groups on a greater scale. However, the ability can also be interpreted as a reference to [https://en.wikipedia.org/wiki/Adaptive_radiation Rapid Evolution.] [[Category:Vermin]] b520b17d2c01337e88e5a0b064ae3854adae4492 Big Suze 0 351 879 2023-11-09T15:21:49Z Codacoda 10 Redirected page to [[Smilred]] wikitext text/x-wiki #REDIRECT [[Smilred|</nowiki>Smilred]] 82499ffc42c90fac7a902aa81ba102316849ad0a Main Page 0 1 881 858 2023-11-09T15:27:19Z Codacoda 10 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Bush Wizard]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] 7c06b4fbcc9a5aa60144ac8a39235fbaacb5a725 885 881 2023-11-13T15:38:49Z Codacoda 10 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Bush Wizard]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] cb747e222c78c1607859fdeffc289f65ed12cfdf 903 885 2023-11-14T02:33:29Z Codacoda 10 /* Champions */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] 0b12d03dec9884626a9519eae64a88317912b5b1 918 903 2023-11-14T04:15:02Z Codacoda 10 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[Mook]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] a9b440042b90f3c12e3be647079bc4007927d0c5 Skultists 0 317 884 833 2023-11-10T02:14:35Z NLD 3 /* Summoners and Servants */ wikitext text/x-wiki The Skultists are a group of masked necromantic cultists with a long history of misdoings. == History == Long ago, even before any of the Divided Kingdoms had been founded, an ancient kingdom was thriving. Utilizing powerful black magic to reanimate skeletal creatures often animalistic in structure, this kingdom was able to build a powerful army that no other could compare to. They did not need to eat nor rest, drawing their power from the land they were created on, and could simply be retrieved to create new soldiers should they ever fall in battle. Though they rarely ever attacked any other nation, this kingdom was able to strongarm resources from the others through fear and were able to prosper. Unfortunately, as a result of this magical army feeding off of the energy of the land, the very land the kingdom was built upon began to suffer. Slowly the soil would become bereft of nutrients, water would be poisoned with accursed substance, plants would become black and solid as stone, and the air and sky would grow dim and heavy. Knowing full well the consequences of their production the king at the time would simply not stop having more be created out of fear that the other nations they enjoyed gratuitous tribute from would eventually overpower and eradicate them, instead opting to fortify and expand their castle so that those affected by the plagues could seek refuge within. Several generations of rulership would continue this tradition, ravaging the land more and more until all that remained of the nation was an enormous withered castle over a seemingly-bottomless chasm of tainted sludge. While slow at first, the creation of bigger and more powerful beasts would expedite this process. Elsewhere in the world, a desperate jester would learn of this kingdom and it's famed powers and came to study it, seeking to use it to gain power in his slowly-growing homeland of Hahalatia. This fool would grow to become a powerful lich of chaos who would be defeated by the kings of the Divided Kingdoms and would be sealed away beneath his homeland, unable to die but unable to escape for a very long time. Eventually, an heir by the name of Thanym would finally take action, encouraged by the poor health of his daughter Vivian. Ordering a forceful deactivation of their standing army of mystic skeletal beasts, many thousands of units were successfully deactivated. In very slow, almost unnoticeable increments the land was finally able to begin healing, though this would not last. The advisers to the king as well as the summoners and practitioners of the dark magic that created the army did not wish to lose what they viewed as power that they held over other nations, and so they began to scheme and collude in the shadows, attempting to work out some way to oust the king and take power under the name of the "Skultists." This opportunity would come in the form of an ever-mischievous little clown girl named Trixie and her otherworldly dark master King Unit A. The two had stormed the castle one night looking to take it and the power the kingdom held for themselves. With only a basic standing army to defend themselves the kingdom may have been able to fend them off had there not been a revolt that same night from those who wanted the king gone. With a more powerful parasitic dark magic than what anyone there had ever seen, Trixie and the King Unit was able to make quick work of the king's remaining loyal defense, reducing them to lifeless stone as the darkness sapped them of their strength. Not one to so easily abdicate his position Thanym fought with all he could but ultimately failed and was sent falling into the abyss beneath the castle, seemingly to his death. With a new base of operations and a force of loyal servants, the Skultists made quick work to reactivate and reconquer as much of their territory as possible. Fueled further by the power of the King Unit, they no longer need to be content to simply scare other kingdoms into giving them what they want. As well, the power and increasing notoriety of the Skultists would attract others to their ranks who seek the same power and luxuries that they possess. == Members == === Current === Skultists can be divided into multiple categories. Summoners/Servants, Beasts, the dangerous and high-maintenance High-Skultists, recruits, and others who possess higher magical capabilities. ==== Summoners and Servants ==== * [[Skultist (Vermin)|Skultists]] (Standard) * Brainscratchers * Spinal Spearbearers * [[Skultist Hollow-Headed Heavy|Hollow-Headed Heavies]] * [[Skultist Bag-o-Bones|Bag-o-Bones]] * [[Skultist Advisoreaper|Advisoreapers]] ==== Beasts ==== * Fishbones * Salmortis' * [[Skultist Megalomarine|Megalomarines]] * Rattled Snakes * Lizardarks * [[Skultist Grave Gila|Grave Gilas]] * [[Skultist Tempo-Trapmaster|Tempo-Trapmaster]] * Glabella Golems * Parietowers * [[Skultist Giant Fortressaulter Skolem|Fortressaulter Skolem]] ==== High-Skultists ==== * [[High-Skultist Carry-On Beast|Carry-On Beast]] ==== Higher-Tiers and other direct members ==== * Tibia Trapper * [[Muertoreador]] ==== Recruits ==== * [[Vermin Swarm Unit|Swarm Unit]] * [[Mook Knight Unit|Mook Knight Units]] * [[The Walking Cage]] * Mock Elementals ([[Mock Shadow|Shadow]], [[Mock Aqua|Aqua]]) * [[The TroyBohBon Bros.]] * The Midblights ==== Former and semi-related ==== * [[Doctor Thanonym|Thanym]] * [[Skultist Anonymajo|Vivian]] * [[Cuben Senior]] * Dokunoko * Dokuimera * [[Yamata-no-Dokurochi]] * [[Skultist Foolich|Foolich]] * [[Skultist Rib Rabbit|Rib Rabbit]] 84ef1c5bcc262d2131dc047b61e10b1c88730395 File:Bush wizard debut.png 6 352 886 2023-11-13T15:43:06Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Bushwizard sct5.png 6 353 887 2023-11-13T15:44:09Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Bushwizard sct5 battle damage.png 6 354 888 2023-11-13T15:44:33Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Bushwizard sct5 portrait.png 6 355 889 2023-11-13T15:44:45Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Teamalmostdownunder.png 6 356 890 2023-11-13T15:44:59Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Teamfloraandfauna.png 6 357 891 2023-11-13T15:45:14Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:V-tflorafauna.png 6 358 892 2023-11-13T15:45:27Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Jerry sheet.png 6 359 893 2023-11-13T15:45:49Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 File:Uhhhhh bush wizard sheet.png 6 360 894 2023-11-13T15:46:23Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Uhhhhh bush wizard 0 361 895 2023-11-13T15:49:31Z Codacoda 10 Redirected page to [[Bush Wizard]] wikitext text/x-wiki #REDIRECT [[Bush Wizard]] 5152b55c280b2a083f5adb86999dcc88908b3473 Tunguska 0 57 896 855 2023-11-13T15:50:36Z Codacoda 10 /* Bush wizard */ wikitext text/x-wiki {{InteractiveMap}} [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== Main Article: [[Bush Wizard]] He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII == Technology == The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the citizens of Tunguska.<gallery> File:Sapthirster.png File:Skidderwheel.png </gallery> ==Inter-kingdom relations== === [[Greater Ohio]] === don't ever buy no blue corn from ohio bro... [[File:Blue corn.png|frameless|238x238px]] ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 0e125ecea2a634899e6d040687ba21b9f16d788a 897 896 2023-11-13T15:50:54Z Codacoda 10 /* Bush wizard */ wikitext text/x-wiki {{InteractiveMap}} [[File:Tunguska map.png|thumb]]{{Quote|With branches like rivers, leaves heavy with dew, our shining star trees, are forever with you!|Excerpt from the Tunguskan national anthem}} '''Tunguska''' is part of the [[Divided Kingdoms]]. Its ruler is [[The Incisor]]. ==Information== [[File:Tunguska flag.png|thumb|The flag of Tunguska]] It is a lush, verdant kingdom full of life and small woodland creatures, mostly beavers. The typical Tunguskan is pretty chill and friendly. They’re just ruled by a king that no longer has any chill. They are welcoming of refugees and castaways as they always have been but have a very low tolerance for vermin that step out of line by stirring up trouble and/or blaspheme the Wood God. Visitors must also perform one (1) sacrifice to the Wood God per day. While they are cordial to outsiders, they sometimes mumble at night about their guests becoming one with the great dam in the lake. ==History== The people of the kingdom of Tunguska saw a great light falling from the heavens and landing in the forests. It released great energy, charring the wood of the forest. This is why they clear the forests to match their constellations. The charred wood is called Star Wood, and they use it for their holiest sites. Tunguska is sometimes called "Tonguska" in old texts. ==Features== ===Star Wood Peak=== [[File:Tunguska landscape.png|thumb|A landscape of Tunguska, with Star Wood Peak in the background]] It is the tallest point in Tunguska, rising from the surrounding mountains of the Tsungonian Mountains. The peak has served many purposes over Tunguska history, ranging from the pilgrimages of monks have braved the mountainside to meditate on the frozen roof of the world, to the enchanted ice that melts in the spring and gives the star trees their mystical qualities. There's a particular legend surrounding the old mountain that once attracted a violent warlord to build a fortress near its peak. A star, after which the peak is named, is said to have fallen here eons ago. Whether the rumors are true or not have been up for debate for hundreds of years, yet reports of strange colors in the sky have persisted for as long as the rumors have been a thing. The old warlord, despite years of searching, never found proof of the star's existence; his old fortress sits atop a thousand steps, and was once crumbling away into nothing. The beaver king has rebuilt the old fort, serving as his castle and watchtower against the encroaching evils he sees at every corner. It's believed that the voices he hears are at their loudest at the top of the peak, feeding into his paranoia every night he falls asleep there. ===The Mulch=== [[File:Tunguska bleeding skull.png|thumb|A partially-constructed sacrifice totem, already showing signs of embodiment]] [[File:Tunguska wood.png|thumb|A thoroughly harvested logging site]] A dark splotch that stands out amid the verdant territory of Tunguska, this was the site of the first mass offering to the Wood God and is considered holy ground by the Great Disasticator. The spongy loam that covers the area is actually chewed star wood pulp, tarnished red by its wanton destruction. All sanctioned offerings are brought to this area and, after some time, seem to erode away as if gnawed apart by giant teeth. Despite the crude appearance and implementation, the Mulch is quite beneficial to the forests around it, and expedite their growth to accommodate more tribute to their God. This reddened pulp is also an important product for Tunguskan ceremonies and holidays, being crushed into pigments and salves. The Incisor is smeared with much of it, to show its status as a veritable holy relic. ===The Lost Dam=== A mythological location believed to have been created at the start of the vermin world. It’s said that the first beaver built a dam that was in such a place that the world flooded with what became known as the ocean. Many ships over the years have gone missing in search of this place, it’s captains gone mad or coming home with their maps left empty. It’s partly the legend of the Lost Dam that the beavers developed such reverence and skill at traversing open waters, though its importance has been reduced within the last hundred years. ==Flora and fauna== Lesser beavers spawn abiogenically in small cozy nooks and crannies. They are the most common animal in Tunguska. ===Animorels=== An unexpected side-effect of star tree bark is its ability to conduct natural energy. As trees fall and decay takes hold, fungi grows. The energy within the tree’s bark brings the fungi to life. These can come in lots of different forms, but the common term for these things are “Animorels”. These are your basic living fungi, seen as pets, pests, and plagues depending on who you ask. Micelium are frequent visitors of highly fortified dens, denying all attempts at keeping them out. ===Honey badgers=== The felling of trees is vital to Tunguska, but is not without consequence, as the tiniest creatures of this nation lose their homes. As fortune would have it, a coven of honey-loving witches are open to giving these displaced denizens a new home and employment. Honey is a potent catalyst of magic, but more importantly, it just tastes good. Rumors have it that the matriarch of this coven can transmute this Tunguskan ambrosia into a more "potent" elixir, enjoyed responsibly by anyone 21 or older. ===Strangleroot=== After the tournament, there's been an increase in outbreaks of Strangleroot Spikecaps. They're basically a mushroom version of rabbits in Australia - absolutely fucking everywhere (thanks to Tunguska's increased humidity) and trying to infect anyone they can. A few Vermin point to Paraptera being behind these outbreaks, but no one has seen him since his team's defeat against Team Shallow Sea. ===Bush wizard=== ''Main Article: [[Bush Wizard]]'' He drove his ute to Tunguska bc the wildfires were shrinking the bushlands. He decided to walk into the local woods after round 1. Cryptid sighting. Occasionally writes to former teammates by smoke signs. Another wildfire ensues. ===Kiwis=== Fucgkin KWII == Technology == The Wood God taught the beaver-king of the forbidden lumber runes which not only enhanced the mammalian monarch's physical strength but also expanded his mind as well. These gifts along with his innate craftsmanship led the beaver-king to construct mechanical marvels that made life easier for the citizens of Tunguska.<gallery> File:Sapthirster.png File:Skidderwheel.png </gallery> ==Inter-kingdom relations== === [[Greater Ohio]] === don't ever buy no blue corn from ohio bro... [[File:Blue corn.png|frameless|238x238px]] ===[[EEEEEEEEE]]=== the frontier between eeeeeeeeee and tunguska is basically mad max fury road... with giant robots ===[[Ballingypt]]=== Enormous beaver swarms will sometimes sweep through Ballingypt and decimate supplies of wooden bats. Due to the inherent nyagical energy in their sports equipment, Ballingypt wood makes the beavers obese. It takes the whole nyasketball team to get one of them off the field when they catch it in the morning. Ballingyptians use beaver fat as an alternative to butter. ==Tunguska Ritual== [[File:Join my gang.png|thumb]] The winners of the Tunguska Ritual held by [[The Seer]] are Team Shallow Sea. Pelasattva (Orochi) and Endsel help The Incisor/equivalent of Tunguska military to expand on sea borders seeing as they're pretty good at moving about there. They take in refugees who get lost at sea or displaced from other places, and due to the stories they’ve heard about the ridiculous shit that happens on the mainland and in tourneys, they’re ultra defensive of vermin that might invade or disrupt peace. Pelasattva is mostly concerned with protection of the sea and wants to keep activity away from it ideally. He is trying to be more diplomatic with other kingdoms but it's an uphill battle and everyone thinks that the usually-violent beavers are up to something. Endsel has started 3 pointless gang wars within Tunguska one day after becoming a hero. ==Trivia== *lesser beavers are capable of abiogenesis, they spawn in cozy corners which could provide safety for such a small being ** sometimes this makes them act as a plague, which the egyptball kingdom is weak to * shrimblorfs have infested the tunguskan waters following the aquatic team's win in the ritual [[Category:Kingdoms]] [[Category:Tunguska]] 68cda7f55368979f3df02391d53d51c08e4c1716 File:Maggy mook sheet.png 6 362 898 2023-11-13T15:59:44Z Codacoda 10 wikitext text/x-wiki da39a3ee5e6b4b0d3255bfef95601890afd80709 Bush Wizard 0 363 899 2023-11-13T16:09:48Z Codacoda 10 WORK IN PROGRESS wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability. He's a 35 year old druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === == Lore == == Gallery == == Trivia == e5078d8454304c319e2d9267b32eba9796e0a70e 900 899 2023-11-13T16:12:07Z Codacoda 10 wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability. He's a 35 year old druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === == Lore == == Gallery == == Trivia == [[Category:Vermin]] 20a1951d0dac250e015b2d783f7fc14b611bcc4c 901 900 2023-11-13T16:13:16Z Codacoda 10 wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === == Lore == == Gallery == == Trivia == [[Category:Vermin]] a00067d9a19d28a5ae6a639e2b762472a74bf908 902 901 2023-11-13T16:15:26Z Codacoda 10 wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === == Lore == == Gallery == == Trivia == [[Category:Vermin]] 18f080b62ade2f4e0c01e639f1b5e3985543dc0f 905 902 2023-11-14T03:46:15Z Codacoda 10 /* Tulip Heart Tournament II (Knife Guys vs. Wizards) */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technicaly difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. [[Category:Vermin]] f779f7d23310e90f4c0b6e079d423f3814599b4b 906 905 2023-11-14T03:47:31Z Codacoda 10 /* Performance */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technicaly difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. [[Category:Vermin]] 1cb079cb069f61cf54d0b8afb779d50fb1e4988d 907 906 2023-11-14T03:50:06Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technicaly difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] 0f3af31876a6c485893f089ea45784b5cfbe3b54 908 907 2023-11-14T03:52:55Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technicaly difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * In a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] 51ef1995b2c3e23bfa41d637d0db24746d4500aa 911 908 2023-11-14T04:02:37Z Codacoda 10 wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technicaly difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * In a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] 3fef6375b5b5c024f9a1d927a3fa94994f3dd975 919 911 2023-11-14T04:47:55Z BigLoreMakerMan 20 /* Lore */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technicaly difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. Currently wandering the vast dunes of Bushwackeya, looking for his wife. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * In a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] 978441705d61d217f9ce1191c92ec43532f4436c Category:Mooks 14 364 912 2023-11-14T04:06:23Z Codacoda 10 Created page with "Mooks are usually vermin with 13 Base Stat Total, usually the first stages of a line also fall into this category, although mooks can also be their own thing and are prone to participate in more gimmicky tournaments or be summons of another vermin, with an even smaller BST. Some get evolution lines eventually. Many vermin back in anonymonster and early /v/ermin days started this way, before the idea of evolving them was solidified. File:Smilred.png|thumb|Smilred, a sta..." wikitext text/x-wiki Mooks are usually vermin with 13 Base Stat Total, usually the first stages of a line also fall into this category, although mooks can also be their own thing and are prone to participate in more gimmicky tournaments or be summons of another vermin, with an even smaller BST. Some get evolution lines eventually. Many vermin back in anonymonster and early /v/ermin days started this way, before the idea of evolving them was solidified. [[File:Smilred.png|thumb|Smilred, a standard mook.]] c6c0541c62d7d1e05953fbf7739ad319c83025fa 914 912 2023-11-14T04:08:19Z Codacoda 10 wikitext text/x-wiki '''Mooks are usually vermin with 13 Base Stat Total''', usually the first stages of a line also fall into this category, although mooks can also be their own thing and are prone to participate in more gimmicky tournaments or be summons of another vermin, with an even smaller BST. Some get evolution lines eventually. Many vermin back in anonymonster and early /v/ermin days started this way, before the idea of evolving them was solidified. [[File:Smilred.png|thumb|Smilred, a standard mook.]] 65aed813f214ab1b2cf6269fe74ab046cb868f15 916 914 2023-11-14T04:12:30Z Codacoda 10 wikitext text/x-wiki '''Mooks are usually vermin with 13 Base Stat Total''', usually the first stages of a line also fall into this category, although mooks can also be their own thing and are prone to participate in more gimmicky tournaments or be summons of another vermin, with an even smaller BST. Some get evolution lines eventually. Many vermin back in anonymonster and early /v/ermin days started this way, before the idea of evolving them was solidified. Many mooks tend to be bigger shitposts, usually coupled with memey stat spreads, or non-existent stats altogether (E.g.: "''ALL IN X''" entries). [[File:Smilred.png|thumb|Smilred, a standard mook.]] dbeddbfe3d04bf1d632544e88a01fc9979a991b0 917 916 2023-11-14T04:13:29Z Codacoda 10 wikitext text/x-wiki '''Mooks are usually vermin with 13 Base Stat Total''', usually the first stages of a line also fall into this category, although mooks can also be their own thing and are prone to participate in more gimmicky tournaments or be summons of another vermin, with an even smaller BST. Some get evolution lines eventually. Many vermin back in anonymonster and early /v/ermin days started this way, before the idea of evolving them was solidified. Many mooks tend to be bigger shitposts, usually coupled with memey stat spreads, or non-existent stats altogether (E.g.: "''ALL IN X''" entries). [[File:Smilred.png|thumb|Smilred, a standard mook.]] [[Category:Vermin]] 46c8bc80261122d381b73018ee9aefcc4db0d1b7 Mook 0 365 913 2023-11-14T04:07:39Z Codacoda 10 Redirected page to [[Category:Mooks]] wikitext text/x-wiki #REDIRECT [[Category:Mooks|</nowiki>Category:Mooks]] 6ad5652ca47503ec1160562019258b3c7143dd1a Smilred 0 315 920 915 2023-11-14T04:49:20Z BigLoreMakerMan 20 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a [[mook]] with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Performance == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 3v3 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. Wishes it had feet. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. * Every stage in Smilred's line has been drawn by a different person. [[Category:Vermin]] [[Category:Mooks]] 9b668bc2e4f2de94f323139917de64be73c32679 927 920 2023-11-15T12:25:08Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Smilred.png|thumb|Smilred's stat sheet]] '''Smilred''' is a [[mook]] with the classic infamous "2s and 3s" stat spread. It is a hovering, grinning, disembodied dark red equine mouth with affinities with the [[Old universe|previous universe]]. == Performance == Smilred participated in Replacement Tournament 2 and a pageant in the [[Original timeline|old universe]], as well as several [[Coin Host|Coin]] exhibition matches. As for current and active appearances so far, Smilred has participated in the second Moonspin Tournament, themed around [[Awoogalia]]. === Moonspin 2: Awoogalian Boogaloo === * [https://www.youtube.com/watch?v=UU9SIQHsgPA Round Robing Group D]: vs. Sample Collector, Oozengine and Degenerat (lost thrice, sent to Losers.) * [https://www.youtube.com/watch?v=IatfqGsavV8 Loser's Robin Group B]: vs. Geromy the Alien Tourist and Geromy, Deep Undercover (won twice, alongside its second stage '''Mecha-Suze''') ** Due to significant ties, voting was withheld for the next Round, eventually leading to a draw with Geromy as well, broken by the Host's pick (lost) == Lore == This creature is the disembodied snout of a vermin known as Big Suze from the old universe (a runner-up belonging to the Manimals 2 3v3 Team, known to have variants as well), detached after a tragic telefragging accident. Much like a starfish, it is capable of regenerating back into a whole vermin. Thanks to Awoogalian technology, it was possible to skip this process and give ''Smilred'' a stand-in of its old body back, with the creation of ''Mecha-Suze''. However, achieving a new stage propelled Smilred's healing factor to speed up, eventually cracking into ''Big Suze the Returned'', although this process is only halfway done, with currently underdeveloped limbs and tweaked features, the robot body, however, has been upgraded to accommodate its current but impractical user. The reason of this sudden and more chaotic outburst has been theorized to be the result of an ally vermin from the original timeline subjecting Big Suze thru tests and forcing her to adapt faster in goals to weaponize her sheer, crit-based strenght. Without supervision, Big Suze has more leeway with her gleeful but thoughtless nature. For the longest, Smilred wished it had feet. == Gallery == <gallery> File:Bigsuze.png|Big Suze, the original vermin Smilred was based on File:Smilred origins.png|The exact piece of Fanart where Smilred was cropped/based from. File:Smilred collage.png|Smilred from the group picture of Replacement Tournament 2 File:Vermin-smilred.png|The current Smilred sheet, complete with a partially regenerated Big Suze. </gallery> == Trivia == * Much like her previous iteration, Smilred is capable of speech, with a rather unfitting, deep, crass and raspy voice. * The original Big Suze was based after one of the several interpretations of reverse centaurs, specifically the ones designed after the leftover parts of the original chimeric creature, as well as a caricature of the cutesy unicorn stereotype, greatly influenced by the mainstream perception of the My Little Pony franchise and adult swim's Robot Unicorn Attack. ** Big Suze's name and naming convetion is taken directly from a [https://peepshow.fandom.com/wiki/Big_Suze Peep Show character of the same name]. As for both of the abilities' names, it references the [https://knowyourmeme.com/memes/big-steppy Big Steppy meme.] *** The current Big Suze design is based after the tripods from War of the Worlds, alongside Akira and Shin Godzilla sensibilities. The horn is more Kirin-inspired in contrast to the more standard unicorn horn from her previous iteration. *** The spindly "arms" are based on [https://en.wikipedia.org/wiki/Deciduous_hoof_capsule fairy fingers], soft structures developed on the base of foal's hooves, lost as soon as they are able to stand, indicating an incomplete development from the creature. *** The dark reddish electricity takes cues from the visual effect [https://monsterhunterworld.wiki.fextralife.com/Savage+Deviljho Savage Devilijho] has. * Big Suze the Returned is currently the first Returned variant of the current timeline, as well as the only runner-up who has found a way around its death from the previous universe, since every vermin finalist made a rather sacrificial last and ditch effort to hold off the threats while the rest of the vermin escaped to the new universe. * Every stage in Smilred's line has been drawn by a different person. [[Category:Vermin]] [[Category:Mooks]] 5ac4b922b454ccb713fc4482746a623c1d633936 Yas Blamgeles 0 4 921 301 2023-11-14T04:53:51Z BigLoreMakerMan 20 wikitext text/x-wiki [[File:Yas blamgeles.png|600 px|center]] '''Yas Blamgeles''' is the city where anyone who's anyone lives. Almost all tournaments take place here. ==History== The continent of [[Vermerica]] used to be a very tranquil place, full of diverse cultures and geography, until one day two mysterious infections spread across the earth. These were particularly deadly (one corrodes the land and one corrodes minds), and so most vermin decided to leave their lives behind to travel up North. They created a wall of cleansing energy to protect themselves with their combined strength, though how they did this is lost to history. Now safe from the infections, the vermin divided the remaining land using colours to separate the cultures from each other. This way of life persisted for a few generations, but eventually grew to be unstable. It was one day decided by the elders of each culture that the survival of the vermin species depended on cooperation. A large, sprawling city was planned and the cultural borders were turned into districts. The city was literally called The City, because the population believed that they were the only civilised vermin left in existence and so could get away with that. The elders ruled The City as a silent oligarchy but were faced with backlash about a decade later when the population grew bored with metropolitan life. Almost on cue, a strange hole opened up from the ground and many confused vermin came crawling out. These new vermin were from a similar yet destroyed universe and were granted new lives in The City. They share their history and experiences with everyone as thanks, and The City became obsessed with the characters of the destroyed universe. [[Starters|Blorf, Dinoswordus, and Laserface]] became household names and merchandised overnight. This all lead to The City becoming culturally unified through celebrity worship. [[King GruBLAM!]] became the first true modem celebrity after taking down the [[Nutbringer]], who crawled out of the hole to claim Vermerica for itself. Although considered to be the people's king and very wealthy, the oligarchy of elders still ruled from the shadows. Champions were generally treated as celebrities after this, and tournaments became serious televised events. Most vermin spent their lives working by day and watching tournaments by night, until the discovery of [[Halloween Island]] kickstarted a general sense of adventure in the population. Everyone in The City now knew that there were other landmasses out there, that could potentially house other vermin and societies. It was then decided that The City should be renamed to a more unique name, and Yas Blamgeles was chosen in honour of King GruBLAM! and [[YAAAS]]. Vermin really got into sailing at this time, but soon discovered that there was a terrible whirlpool to the North-West called [[The Vermuda Circle]]. Despite all the vermin who drowned trying to pierce it, the population was stubborn and just had to know what was on the other side. Finally, after so many causalities and wasted [[blastcoin]], ships from Yas Blamgeles finally pierced through the eye of the storm and emerged at the other side, discovering [[The Divided Kingdoms]]. Yas Blamgeles has been trying to colonize The Divided Kingdom for the 200 years, but factually it's only been 6 months at most, and recently they sent of "Taxia the Tax Vermin" to send a tax dispute but they failed and came back as some sort of eldritch paper clip. They were put down and their corpse was promptly hidden by "The Overseers". Yas Blamgeles and Awoogalia have had conversations about signing trade deals and peace treaties but it always breaks down once Napalama begins to hit on the diplomat. ==Random Stuff== * [[The Office™]] is a building in Yas Blamgeles. 9854c57b07e03a2a166fbef32a53bca6c525ab45 928 921 2023-11-15T12:26:20Z Codacoda 10 /* History */ wikitext text/x-wiki [[File:Yas blamgeles.png|600 px|center]] '''Yas Blamgeles''' is the city where anyone who's anyone lives. Almost all tournaments take place here. ==History== The continent of [[Vermerica]] used to be a very tranquil place, full of diverse cultures and geography, until one day two mysterious infections spread across the earth. These were particularly deadly (one corrodes the land and one corrodes minds), and so most vermin decided to leave their lives behind to travel up North. They created a wall of cleansing energy to protect themselves with their combined strength, though how they did this is lost to history. Now safe from the infections, the vermin divided the remaining land using colours to separate the cultures from each other. This way of life persisted for a few generations, but eventually grew to be unstable. It was one day decided by the elders of each culture that the survival of the vermin species depended on cooperation. A large, sprawling city was planned and the cultural borders were turned into districts. The city was literally called The City, because the population believed that they were the only civilised vermin left in existence and so could get away with that. The elders ruled The City as a silent oligarchy but were faced with backlash about a decade later when the population grew bored with metropolitan life. Almost on cue, a strange hole opened up from the ground and many confused vermin came crawling out. These new vermin were from a similar yet destroyed universe and were granted new lives in The City. They share their history and experiences with everyone as thanks, and The City became obsessed with the characters of the destroyed universe. [[Starters|Blorf, Dinoswordus, and Laserface]] became household names and merchandised overnight. This all lead to The City becoming culturally unified through celebrity worship. [[King GruBLAM!]] became the first true modem celebrity after taking down the [[Nutbringer]], who crawled out of the hole to claim Vermerica for itself. Although considered to be the people's king and very wealthy, the oligarchy of elders still ruled from the shadows. Champions were generally treated as celebrities after this, and tournaments became serious televised events. Most vermin spent their lives working by day and watching tournaments by night, until the discovery of [[Halloween Island]] kickstarted a general sense of adventure in the population. Everyone in The City now knew that there were other landmasses out there, that could potentially house other vermin and societies. It was then decided that The City should be renamed to a more unique name, and Yas Blamgeles was chosen in honour of King GruBLAM! and [[YAAAS]]. Vermin really got into sailing at this time, but soon discovered that there was a terrible whirlpool to the North-West called [[The Vermuda Circle]]. Despite all the vermin who drowned trying to pierce it, the population was stubborn and just had to know what was on the other side. Finally, after so many causalities and wasted [[blastcoin]], ships from Yas Blamgeles finally pierced through the eye of the storm and emerged at the other side, discovering [[The Divided Kingdoms]]. Yas Blamgeles has been trying to colonize The Divided Kingdom for the 200 years, but factually it's only been 6 months at most, and recently they sent of "Taxia the Tax Vermin" to send a tax dispute but they failed and came back as some sort of eldritch paper clip. They were put down and their corpse was promptly hidden by "The Overseers". Yas Blamgeles and [[Awoogalia]] have had conversations about signing trade deals and peace treaties but it always breaks down once [[Warlady Napalma|Napalama]] begins to hit on the diplomat. ==Random Stuff== * [[The Office™]] is a building in Yas Blamgeles. d7e3a8d66d546e57befe02a85753dda47d10b642 Bush Wizard 0 363 922 919 2023-11-14T05:50:29Z NLD 3 /* Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technical difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. Currently wandering the vast dunes of Bushwackeya, looking for his wife. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie.] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this univerese's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * In a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] 864369f3f8b99bc179b7002e003010618f54ca6b 923 922 2023-11-15T12:20:53Z Codacoda 10 /* Trivia */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technical difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Althout time constraints put this theory on test. Currently wandering the vast dunes of Bushwackeya, looking for his wife. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie, who's posing as a "Bush Wizard".] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this universe's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * On a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] bb4b1462dba610ac791cfc295a85a829087f956d 924 923 2023-11-15T12:22:04Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technical difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Although time constraints put this theory on test. Currently wandering the vast dunes of Bushwackeya, looking for his wife. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie, who's posing as a "Bush Wizard".] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this universe's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * On a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] 925e5be8a38405ac6694b2e6a134846aadccf655 925 924 2023-11-15T12:23:34Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technical difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Although time constraints put this theory on test. Recent sightings contribute on the idea that he's currently wandering the vast dunes of Bushwackeya, looking for his wife. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie, who's posing as a "Bush Wizard".] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this universe's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * On a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] 1d4cd4265a12f73d0c256993ffc4ea65de2a1f7a 926 925 2023-11-15T12:23:55Z Codacoda 10 /* Lore */ wikitext text/x-wiki [[File:Uhhhhh bush wizard sheet.png|thumb|Bush Wizard's sheet, created during the initial wizard craze, influenced by a [https://rickandmorty.fandom.com/wiki/Bushworld_Adventures Rick and Morty April Fools Special.]]] '''Bush Wizard''' (also known as '''''uhhhhh bush wizard''''') is a wizard vermin with an up-to-interpretation ability and the champion of the 5th Soul Calibur Tournament. He's a 35 year old humanoid druid with questionable medicinal methods and a suspiciously tame and relaxed personality, coupled with his constant dull expression. == Performance == Bush Wizard had a couple of outings within gimmick tournaments and a standard 2v2 one. === Tulip Heart Tournament II (Knife Guys vs. Wizards) === Bush Wizard made its debut in a surprise ally-based gimmick tournament primarily focused on wizards and knife guys, he was the third member of the team that would be eventually named "Flora and Fauna", randomly pulled from the leftovers of the submission pool, due to the tournament's nature, every participant used mook stats, so the ability was never displayed. This section will be treating the performance as a team rather than individual. * R2F8: Debuting in Team "Wizards" with Mosquito Wizard and Plant Wizard, later known as "Flora and Fauna" * R3F4: vs. Team "Not Funny, Didn't Laugh" (won, as team "Flora and Fauna", pulled Boostpower) * R4F2: vs. Team Guys Night (lost) <gallery> File:Bush wizard debut.png|Bush Wizard's tournament debut. File:Teamfloraandfauna.png|Team Flora and Fauna's final comoposition in the Semifinals. File:V-tflorafauna.png|Fanart depicting the final team, probably not to scale. </gallery> === Big "Host" Smells' Divided Ritual I: Tunguska (2v2) === Teaming up with a trash-talking half-plant half-bird Seewi, Team Almost Down Under lost against Team Chaotic Corruption during the second fight of the first round.<gallery> File:Teamalmostdownunder.png|Team Almost Down Under fanart, partially depicting the other yet-to-seen stages of Seewi. </gallery> === Soul Calibur Tournament 5 (Soul Calibur V Chargen, 1v1) === Submitted not long after the second Tulip Heart Tournament, the tournament underwent a hiatus due to technical difficulties, fortunately resuming right after the Tunguska tournament was over. Due to the customization set by SC Host, this version of Bush Wizard dons a younger, even more human look, with a somewhat patterned robe, and a quarterstaff as his main weapon, and no bag nor grub in sight. <youtube>https://youtu.be/8DelIF3Ct9U?si=xLYKaDQmkIQ3jpMI&t=113|thumb|Bush Wizard's match against Dark Wizard, showing off his [https://soulcalibur.fandom.com/wiki/Critical_Edge Critical Edge] uper attack.</youtube> * Fight 6: vs. Dude A Dude (won, 3-0) * Fight 11: vs. Dark Wizard (won, 3-2) * Fight 14: vs. Dredgescales (won, 3-2) * Fight 15: vs. Artissimum Sanctorum (won, 3-2) <gallery> File:Bushwizard sct5 portrait.png|Bush Wizard's protrait in the Soul Calibur V's Versus screen. File:Bushwizard sct5.png|Bush Wizard as he appears in Soul Calibur V. File:Bushwizard sct5 battle damage.png|Bush Wizard's battle damage clothes. </gallery> == Lore == Bush Wizard hails from the obviously bushland areas of Vermerica, he's a druid who uses unconventional methods of healing, specifically one involving placing a "witchetty grub" on the patient's privates in order to stop poisoning; however, some believe this might just be a prank that Bush Wizard loves to play with gullible people who resort to alternative medicine. He's laid back and constantly displays a dull expression, coupled with his rather odd accent and speech patterns, making him a rather kooky yet harmless individual. He was once called into action by the Wizard's council to fend off a magical item from the Knife Guys, and, while he was defeated in the Semifinals, he managed to strenghten a bond with his equally nature inclined teammates, and Boostpower, who was the total opposite of the party's aesthetic. He's good friends with Mosquito Wizard and considers Plant Wizard a babysitter of sorts, despite never showing any progeny (that we know of). Boostpower has more or less become a pet to the team, and its seen doing its own thing ever since the tournament was over, although Bush Wizard has been stalked by the robotic mook for a few weeks after. Heavy industrialization, coupled with the new development of the Champs Valley contributed to wildfires spreading and happening more often. After hearing of the woodlands from the other side, Tunguska, he decided to drive his ute all the way to the the other continent, the way he achieved such travel is still unknown. After losing the first round, Team Almost Down Under parted ways, and Bush Wizard immediately ventured into the woods, with his destination unknown. He's currently labeled as "Fauna" in Tunguskan guide books. Multiple accounts from Mosquito Wizard inform that he receives messages from Bush Wizard bia smoke signs, heavily coinciding with recent [[Tunguska|tunguskan]] wildfire cases. Seewi has never talked about him ever since. Not much is known about his [[Armorica|Armorican]] counterpart, it's been speculated that he's the same person as the Vermerican one, who somehow crossed over realms through similar unknown means achieved before. Although time constraints put this theory on test. Recent sightings contribute to the idea that he's currently wandering the vast dunes of Bushwackeya, looking for his wife. == Trivia == * As mentioned before, most of Bush Wizard's design and personality cues have been taken from an April Fools Special of Rick and Morty, specifically the Bushworld Advneture's counterpart of Jerry, [https://rickandmorty.fandom.com/wiki/Dougie Dougie, who's posing as a "Bush Wizard".] ** Due to Rick & Morty logic, it is very likely that Bush Wizard himself is, by canon technicality, this universe's iteration of [https://rickandmorty.fandom.com/wiki/Jerry_Smith Jerry Smith] himself. * Bush Wizard was created during the original Wizard craze back in /v/ermin days. His design mold is traced from another Jerry Smith. inspired line, simply known as "Jerry". ** Bush Wizard's "witchetty grub" is a simplified version of Maggy, the first stage of Mr. Skeeto, a vermin of [[Original timeline|previous universe]] fame. * Bush Wizard is one of the few vermin with [https://youtu.be/tAzH19ToFTY a designated leitmottif.] * On a more inclusive light, it's been considered to replace "dick" with "privates" in Bush Wizard's ability description. ** During his whole run, Bush Wizard's up-to-interpretation ability has never seen use. * Bush Wizard has fought and won against Dark Wizard twice: first in the fourth fight of Round 3 of Tulip Heart II, and then in the eleventh fight of the Soul Calibur tournament. <gallery> File:Maggy mook sheet.png|Maggy's mook sheet, the alleged "Witchetty Grub" of Bush Wizard. File:Jerry sheet.png|The third stage of the Jerry line has been used as a template to design Bush Wizard, alongside vermin wizard design sensibilities. </gallery> [[Category:Vermin]] [[Category:Mooks]] b00862162fd247b3713f5ad2f975ebc99196bb73 File:Braindrain2.png 6 366 929 2023-11-16T20:05:41Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Brain drain.png 6 367 930 2023-11-16T20:05:44Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 Brain Drain 0 368 931 2023-11-16T20:09:27Z Subaluwa 2 Created page with "[[File:Brain_drain.png|thumb|Original mook]][[File:Braindrain2.png|thumb|Punished form]] '''Brain Drain''' was a mook competitor in the Wizard Tournament. It joined Batteryboy after the first round, but lost to [[Beukhoofd]] and Smith, the Wizard of Wesson." wikitext text/x-wiki [[File:Brain_drain.png|thumb|Original mook]][[File:Braindrain2.png|thumb|Punished form]] '''Brain Drain''' was a mook competitor in the Wizard Tournament. It joined Batteryboy after the first round, but lost to [[Beukhoofd]] and Smith, the Wizard of Wesson. 2b4a520033cf29a76e1957bf9c81cf32bc3bd521 932 931 2023-11-16T20:13:42Z Subaluwa 2 wikitext text/x-wiki [[File:Brain_drain.png|thumb|Original mook]][[File:Braindrain2.png|thumb|Punished form]] '''Brain Drain''' was a mook competitor in the Wizard Tournament. It joined Batteryboy after the first round, but lost to [[Beukhoofd]] and Smith, the Wizard of Wesson. After the tournament, Brain Drain underwent extensive training and became Punished Brain Drain. He attempted to get revenge against Beukhoofd in [[Brain Drain Quest]]. 6e616ba09809d3ebcb3d6ac9a5736365f6d0be59 946 932 2023-11-16T21:29:40Z Subaluwa 2 wikitext text/x-wiki [[File:Brain_drain.png|thumb|Original mook]][[File:Braindrain2.png|thumb|Punished form]] '''Brain Drain''' was a mook competitor in the Wizard Tournament. It joined Batteryboy after the first round, but lost to [[Beukhoofd]] and Smith, the Wizard of Wesson. After the tournament, Brain Drain underwent extensive training and became Punished Brain Drain. He attempted to get revenge against Beukhoofd in [[Brain Drain Quest]]. == Information == Traumatized by the death of Batteryboy at Beukhoofd's hands (wheels?), Brain Drain took up arms (singular) and began a one-min assault of all of Beukhoofd's allies, followed by Beukhoofd himself. == Trivia == * Punished Brain Drain was designed to poke fun at the idea of a completely irrelevant mook becoming a high-effort OC. * Brain Drain Quest was inspired by Toadstool Quest. 1cc4c27520a1bbd51a0ce26779a44f28778c4099 File:Braindrainquest (1).png 6 369 933 2023-11-16T20:59:48Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (2).png 6 370 934 2023-11-16T20:59:53Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (3).png 6 371 935 2023-11-16T20:59:56Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (4).png 6 372 936 2023-11-16T21:00:00Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (5).png 6 373 937 2023-11-16T21:00:03Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Beukhoofd giveup.png 6 374 938 2023-11-16T21:10:54Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 Brain Drain Quest 0 375 939 2023-11-16T21:12:40Z Subaluwa 2 Created page with "==Chapter 1: The Bodybuilder== <big><span style="color:#AE7D9C">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as BEUKHOOFD, who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><s..." wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#AE7D9C">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as BEUKHOOFD, who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#AE7D9C">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#AE7D9C">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#AE7D9C">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#AE7D9C">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#AE7D9C">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] 62efc9199a2c4d1479a71a188924b65bd0ce5fc4 945 939 2023-11-16T21:23:56Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#AE7D9C">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as BEUKHOOFD, who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#AE7D9C">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#AE7D9C">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#AE7D9C">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#AE7D9C">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#AE7D9C">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#AE7D9C">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#AE7D9C">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#AE7D9C">'''>dream about batteryboy'''</span></big> <big><span style="color:#AE7D9C">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#AE7D9C">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#AE7D9C">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] 848a784003fa40a103dce599751d289799aa25eb 947 945 2023-11-16T21:30:16Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#AE7D9C">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#AE7D9C">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#AE7D9C">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#AE7D9C">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#AE7D9C">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#AE7D9C">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#AE7D9C">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#AE7D9C">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#AE7D9C">'''>dream about batteryboy'''</span></big> <big><span style="color:#AE7D9C">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#AE7D9C">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#AE7D9C">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] 94fe314571f1288ab581f3f40fe6a28a95ff9c29 949 947 2023-11-20T06:54:47Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] 963d57a2bc0fa0012b9cff4a5aa865a7f79dc891 959 949 2023-11-25T07:51:53Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] <big><span style="color:#CE61CE">'''>level up charisma'''</span></big> <big><span style="color:#CE61CE">'''>like a fucking lot of charisma, i need alll the charisma'''</span></big> <big><span style="color:#CE61CE">'''>dump dexterity'''</span></big> <big><span style="color:#CE61CE">'''>yeah dex is for noobs'''</span></big> What's that? [[File:braindrainquest (11).png|300px]] <big><span style="color:#CE61CE">'''>Initiate Haggle Mode'''</span></big> You haggle him up to 8₿. Wow, you suck at this! [[File:braindrainquest (12).png|300px]] <big><span style="color:#CE61CE">'''>use all money on blast coin sport app'''</span></big> <big><span style="color:#CE61CE">'''>quick time event, press ¥ to get money'''</span></big> You invest your 2₿ into a franchise that you think will be very profitable. [[File:braindrainquest (13).png|300px]] <big><span style="color:#CE61CE">'''>use the shop glitch to sell his own inventory back to him to gain large amounts of money'''</span></big> You try to steal the shop's wares so you can sell them back to the Weezer Wizard for infinite money. Unfortunately, you dumped DEX. [[File:braindrainquest (14).png|300px]] <big><span style="color:#CE61CE">'''>hack into gnawbone hosts computer and get the addresses of the vermin you need to kill'''</span></big> Gnaw Host's computer gives you a lead on the first of Beukhoofd's allies, BEEFUS. He's currently somewhere in Ballingypt, taking advantage of Sports Host's recent return to power in the region. [[File:braindrainquest (15).png|300px]] 8accae8c7a184fd9417a21b690e2ae8201f4425b 960 959 2023-11-25T07:53:41Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] <big><span style="color:#CE61CE">'''>level up charisma'''</span></big> <big><span style="color:#CE61CE">'''>like a fucking lot of charisma, i need alll the charisma'''</span></big> <big><span style="color:#CE61CE">'''>dump dexterity'''</span></big> <big><span style="color:#CE61CE">'''>yeah dex is for noobs'''</span></big> What's that? [[File:braindrainquest (11).png|300px]] <big><span style="color:#CE61CE">'''>Initiate Haggle Mode'''</span></big> You haggle him up to 8₿. Wow, you suck at this! [[File:braindrainquest (12).png|300px]] <big><span style="color:#CE61CE">'''>use all money on blast coin sport app'''</span></big> <big><span style="color:#CE61CE">'''>quick time event, press ¥ to get money'''</span></big> You invest your 2₿ into a franchise that you think will be very profitable. [[File:braindrainquest (13).png|300px]] <big><span style="color:#CE61CE">'''>use the shop glitch to sell his own inventory back to him to gain large amounts of money'''</span></big> You try to steal the shop's wares so you can sell them back to the Weezer Wizard for infinite money. Unfortunately, you dumped DEX. [[File:braindrainquest (14).png|300px]] <big><span style="color:#CE61CE">'''>hack into gnawbone hosts computer and get the addresses of the vermin you need to kill'''</span></big> Gnaw Host's computer gives you a lead on the first of Beukhoofd's allies, BEEFUS. He's currently somewhere in [[Ballingypt]], taking advantage of Sports Host's recent return to power in the region. [[File:braindrainquest (15).png|300px]] 0115a95e25c69b1e5fd070b82acabdc1609a14b4 966 960 2023-11-25T08:16:16Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] <big><span style="color:#CE61CE">'''>level up charisma'''</span></big> <big><span style="color:#CE61CE">'''>like a fucking lot of charisma, i need alll the charisma'''</span></big> <big><span style="color:#CE61CE">'''>dump dexterity'''</span></big> <big><span style="color:#CE61CE">'''>yeah dex is for noobs'''</span></big> What's that? [[File:braindrainquest (11).png|300px]] <big><span style="color:#CE61CE">'''>Initiate Haggle Mode'''</span></big> You haggle him up to 8₿. Wow, you suck at this! [[File:braindrainquest (12).png|300px]] <big><span style="color:#CE61CE">'''>use all money on blast coin sport app'''</span></big> <big><span style="color:#CE61CE">'''>quick time event, press ¥ to get money'''</span></big> You invest your 2₿ into a franchise that you think will be very profitable. [[File:braindrainquest (13).png|300px]] <big><span style="color:#CE61CE">'''>use the shop glitch to sell his own inventory back to him to gain large amounts of money'''</span></big> You try to steal the shop's wares so you can sell them back to the Weezer Wizard for infinite money. Unfortunately, you dumped DEX. [[File:braindrainquest (14).png|300px]] <big><span style="color:#CE61CE">'''>hack into gnawbone hosts computer and get the addresses of the vermin you need to kill'''</span></big> Gnaw Host's computer gives you a lead on the first of Beukhoofd's allies, BEEFUS. He's currently somewhere in [[Ballingypt]], taking advantage of Sports Host's recent return to power in the region. [[File:braindrainquest (15).png|300px]] <big><span style="color:#CE61CE">'''>read a book called "how to talk to women"'''</span></big> <big><span style="color:#CE61CE">'''>social muscle of course'''</span></big> You check out a book from the local library and expand your skills. However, you won't be able to assign those muscle points until you've gone up a stage, preferably by fighting someone. [[File:braindrainquest (16).png]] <big><span style="color:#CE61CE">'''>Exit Haggle Mode, enter Gaslight Mode and convince him it's Opposite Day so therefore he owes you 8₿.'''</span></big> With your newfound social skills, you successfully swindle 8₿ from the Weezer Wizard. [[File:braindrainquest (17).png]] <big><span style="color:#CE61CE">'''>Organize a prank call right after'''</span></big> You decide to use your pulchritude for evil, and call the local bar with "Hi, I'd like to talk to Drew P. Wiener." [[File:braindrainquest (18).png]] <big><span style="color:#CE61CE">'''>go outside and catch a budew'''</span></big> You add the Budew to your inventory. [[File:braindrainquest (19).png]] <big><span style="color:#CE61CE">'''>steal a tire pump and use it to increase your brain power'''</span></big> Your expanded gray matter grants you +1 Insight. [[File:braindrainquest (20).png]] ebf567c9cc320de28259af1e60abd0e167386394 File:Braindrainquest (10).png 6 376 940 2023-11-16T21:19:20Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (6).png 6 377 941 2023-11-16T21:19:24Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (7).png 6 378 942 2023-11-16T21:19:26Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (8).png 6 379 943 2023-11-16T21:19:30Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (9).png 6 380 944 2023-11-16T21:19:34Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 Beukhoofd 0 177 948 418 2023-11-20T06:49:25Z Subaluwa 2 /* Trivia */ wikitext text/x-wiki [[File:Beukhoofd.png|thumb]]'''Beukhoofd''' is the champion of the Wizard Tournament, which was a mook recruitment tournament. Beukhoofd champed along with Smith, the Wizard of Wesson, Beefus, and Angry Gun. ==Information== This is Beukhoofd, which roughly translates to "Bonkhead". I don't even remember how old I was when I came up with this, but I remember it was around the time when Medabots was on TV. And I had a thought: "what if instead of awesome robots with lasers and claws, they were lame wooden toys, and instead of fighting, they kind of bonked into eachother?" It was brilliant. There were a bunch of Beukhoofds in various colours, some of them had like spikes on their ramming surface, or body armour, and I faintly remember thinking of a plot where the villain had a Beukhoofd who was so big he used it to beuk buildings over. I don't know why I never got an anime made out of this. Are you wondering what they look like from the side? Me too, if I ever drew them from another angle I always obscured the ramming surface because it raised a lot of questions about how their face works. I don't remember much, because this was REALLY long ago, but I think they had a mega form too. There was also a magic Beukhoofd fairy who looked like a jelly bean with a top hat and a cane. Maybe I'll search the attic for this shit one day and solve the mysteries of Beukhoofd. ==Gallery== <gallery> Beukhoofd clay.png|Clay sculpture Beukhoofd pico.gif|Animated Beukhoofd Beukhoofd yellow.png|Forma de Super Saiyajin Beukhoofd green.png|Forma Super Saiyan Verde </gallery> ‎ ==Trivia== * One of them had an Elvis hairstyle and blue suede wheels. * That drawing is probably from when I was like 17, the original drawings were all in pencil and are somewhere in the depths of my dad's attic or something. * [[Brain Drain]] really hates him for some reason. b7ffc89ecafb2da7ac807999abc5dd4e9ea90d55 Warlady Napalma 0 299 950 714 2023-11-20T06:56:18Z Subaluwa 2 wikitext text/x-wiki [[File:Warlady napalma sheet.png|thumb|The sheet for '''Warlady Napalma.''']] '''Warlady Sewrayyan Napalma''' is the current queen of [[Awoogalia]], having bested the previous unknown one in combat. She rides the mechanical beast '''RATTY''' into battle. She fights for TITS and has a gremlin-esque and rat-admiring personality. She acquired a mechanical body after being severely injured by a landmine, but over time she would have a more organic-seeming body built. She also became more rat-like in the process. Napalma's lieutenant is [[Escutshchur]], who fought her way to the top of the Awoogalia hierarchy in Moonspin Tournament 2. ==Trivia== * Napalma was not created in the same sort of pageant as the rulers of the [[Divided Kingdoms]], but her creation process was done in the same means. * Meaning behind "Sewrayyan": "Sew" comes from the definition of "mend" which is like how she would make guns from scratch, and "rayyan" is an Arabic name meaning "watered, luxuriant," fitting for being the queen of an island nation. [[Category: Vermin]] 8a6eab823cdf696c4080b56c3ce3670d740f97bd Main Page 0 1 951 918 2023-11-20T11:46:01Z 181.40.120.206 0 /* Other */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[Mook]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Some Crazy Bastard]] * [[Papa Pepper Ghost]] * [[Just Katy]] * [[Gofish Forth]] * [[Clarissa]] * [[Big Suze]] b9530360759b8e0dbd59444e02e6a30c1db8ef2b 952 951 2023-11-20T11:56:32Z Codacoda 10 Undo revision 951 by [[Special:Contributions/181.40.120.206|181.40.120.206]] ([[User talk:181.40.120.206|talk]]) wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[Mook]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===Champions=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] a9b440042b90f3c12e3be647079bc4007927d0c5 Great Nihilis 0 106 953 424 2023-11-21T05:53:36Z SChost 5 wikitext text/x-wiki [[File:Great Nil.png|thumb]] ==Info== One of oldest and poorest country, Great Nihilis is the hub for the edgelords, they are rarely seen throughout the lands. Some say that they have a secret base either in a huge castle or in a forest underground somewhere where they cant be seen at all. ==People== Its residence consist of the lowlifes and crooks either selling slaves or the black market. heres a resident voicing their opinion about Great Nihilis [https://cdn.discordapp.com/attachments/1144490881408315463/1171375594798338118/great_nihlis.mp3?ex=6565ae08&is=65533908&hm=4348b090619781acd25640988ffd280294b978ccee976fada51b456ea9ea668e& great_nihlis.mp3] ==History== There are no records of the countries past but based upon how some castles and trees looks and old equipment lying around stone houses it implies that some great nation lived here a long time ago. ==Nations Anthem== <youtube width="200" height="200">Anm_qjR9sAg</youtube> 5b5c8269cce56c008692590bff6057b54f8f38d7 File:Braindrainquest (15).png 6 381 954 2023-11-25T07:45:11Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (11).png 6 382 955 2023-11-25T07:45:15Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (12).png 6 383 956 2023-11-25T07:45:19Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (13).png 6 384 957 2023-11-25T07:45:24Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (14).png 6 385 958 2023-11-25T07:45:27Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (20).png 6 386 961 2023-11-25T07:55:56Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (16).png 6 387 962 2023-11-25T07:55:59Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (17).png 6 388 963 2023-11-25T07:56:03Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (18).png 6 389 964 2023-11-25T07:56:06Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (19).png 6 390 965 2023-11-25T07:56:10Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (25).png 6 391 967 2023-11-25T08:18:31Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (21).png 6 392 968 2023-11-25T08:18:34Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (22).png 6 393 969 2023-11-25T08:18:37Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (23).png 6 394 970 2023-11-25T08:18:42Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (24).png 6 395 971 2023-11-25T08:18:47Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 Brain Drain Quest 0 375 972 966 2023-11-25T08:21:18Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] <big><span style="color:#CE61CE">'''>level up charisma'''</span></big> <big><span style="color:#CE61CE">'''>like a fucking lot of charisma, i need alll the charisma'''</span></big> <big><span style="color:#CE61CE">'''>dump dexterity'''</span></big> <big><span style="color:#CE61CE">'''>yeah dex is for noobs'''</span></big> What's that? [[File:braindrainquest (11).png|300px]] <big><span style="color:#CE61CE">'''>Initiate Haggle Mode'''</span></big> You haggle him up to 8₿. Wow, you suck at this! [[File:braindrainquest (12).png|300px]] <big><span style="color:#CE61CE">'''>use all money on blast coin sport app'''</span></big> <big><span style="color:#CE61CE">'''>quick time event, press ¥ to get money'''</span></big> You invest your 2₿ into a franchise that you think will be very profitable. [[File:braindrainquest (13).png|300px]] <big><span style="color:#CE61CE">'''>use the shop glitch to sell his own inventory back to him to gain large amounts of money'''</span></big> You try to steal the shop's wares so you can sell them back to the Weezer Wizard for infinite money. Unfortunately, you dumped DEX. [[File:braindrainquest (14).png|300px]] <big><span style="color:#CE61CE">'''>hack into gnawbone hosts computer and get the addresses of the vermin you need to kill'''</span></big> Gnaw Host's computer gives you a lead on the first of Beukhoofd's allies, BEEFUS. He's currently somewhere in [[Ballingypt]], taking advantage of Sports Host's recent return to power in the region. [[File:braindrainquest (15).png|300px]] <big><span style="color:#CE61CE">'''>read a book called "how to talk to women"'''</span></big> <big><span style="color:#CE61CE">'''>social muscle of course'''</span></big> You check out a book from the local library and expand your skills. However, you won't be able to assign those muscle points until you've gone up a stage, preferably by fighting someone. [[File:braindrainquest (16).png|300px]] <big><span style="color:#CE61CE">'''>Exit Haggle Mode, enter Gaslight Mode and convince him it's Opposite Day so therefore he owes you 8₿.'''</span></big> With your newfound social skills, you successfully swindle 8₿ from the Weezer Wizard. [[File:braindrainquest (17).png|300px]] <big><span style="color:#CE61CE">'''>Organize a prank call right after'''</span></big> You decide to use your pulchritude for evil, and call the local bar with "Hi, I'd like to talk to Drew P. Wiener." [[File:braindrainquest (18).png|300px]] <big><span style="color:#CE61CE">'''>go outside and catch a budew'''</span></big> You add the Budew to your inventory. [[File:braindrainquest (19).png|300px]] <big><span style="color:#CE61CE">'''>steal a tire pump and use it to increase your brain power'''</span></big> Your expanded gray matter grants you +1 Insight. [[File:braindrainquest (20).png|300px]] <big><span style="color:#CE61CE">'''>bribe beefus with your 2 moneys to tell you where the others are'''</span></big> You take a boat to Ballingypt, using up 6 of your 8 blastcoin. You intend to bribe Beefus with your remaining 2₿... but first you need to find him. [[File:braindrainquest (21).png|300px]] <big><span style="color:#CE61CE">'''>im going to bed'''</span></big> Gnaw Host sleeps soundly, unaware of the treacherous machinations of this cruel world. [[File:braindrainquest (22).png|300px]] <big><span style="color:#CE61CE">'''>Use beef to lure him'''</span></big> You waggle a beer-soaked steak in the air. It attracts some nearby chads. [[File:braindrainquest (23).png|300px]] <big><span style="color:#CE61CE">'''>Draw on his skull with a marker'''</span></big> <big><span style="color:#CE61CE">'''>Oh that will have to wait'''</span></big> You thought of that before leaving. [[File:braindrainquest (24).png|300px]] <big><span style="color:#CE61CE">'''>drop it in the middle of them and watch them all collide'''</span></big> You successfully slapstick the chads. [[File:braindrainquest (25).png|300px]] de500a57d39859d719badc330d8368a807832281 978 972 2023-11-25T08:27:46Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] <big><span style="color:#CE61CE">'''>level up charisma'''</span></big> <big><span style="color:#CE61CE">'''>like a fucking lot of charisma, i need alll the charisma'''</span></big> <big><span style="color:#CE61CE">'''>dump dexterity'''</span></big> <big><span style="color:#CE61CE">'''>yeah dex is for noobs'''</span></big> What's that? [[File:braindrainquest (11).png|300px]] <big><span style="color:#CE61CE">'''>Initiate Haggle Mode'''</span></big> You haggle him up to 8₿. Wow, you suck at this! [[File:braindrainquest (12).png|300px]] <big><span style="color:#CE61CE">'''>use all money on blast coin sport app'''</span></big> <big><span style="color:#CE61CE">'''>quick time event, press ¥ to get money'''</span></big> You invest your 2₿ into a franchise that you think will be very profitable. [[File:braindrainquest (13).png|300px]] <big><span style="color:#CE61CE">'''>use the shop glitch to sell his own inventory back to him to gain large amounts of money'''</span></big> You try to steal the shop's wares so you can sell them back to the Weezer Wizard for infinite money. Unfortunately, you dumped DEX. [[File:braindrainquest (14).png|300px]] <big><span style="color:#CE61CE">'''>hack into gnawbone hosts computer and get the addresses of the vermin you need to kill'''</span></big> Gnaw Host's computer gives you a lead on the first of Beukhoofd's allies, BEEFUS. He's currently somewhere in [[Ballingypt]], taking advantage of Sports Host's recent return to power in the region. [[File:braindrainquest (15).png|300px]] <big><span style="color:#CE61CE">'''>read a book called "how to talk to women"'''</span></big> <big><span style="color:#CE61CE">'''>social muscle of course'''</span></big> You check out a book from the local library and expand your skills. However, you won't be able to assign those muscle points until you've gone up a stage, preferably by fighting someone. [[File:braindrainquest (16).png|300px]] <big><span style="color:#CE61CE">'''>Exit Haggle Mode, enter Gaslight Mode and convince him it's Opposite Day so therefore he owes you 8₿.'''</span></big> With your newfound social skills, you successfully swindle 8₿ from the Weezer Wizard. [[File:braindrainquest (17).png|300px]] <big><span style="color:#CE61CE">'''>Organize a prank call right after'''</span></big> You decide to use your pulchritude for evil, and call the local bar with "Hi, I'd like to talk to Drew P. Wiener." [[File:braindrainquest (18).png|300px]] <big><span style="color:#CE61CE">'''>go outside and catch a budew'''</span></big> You add the Budew to your inventory. [[File:braindrainquest (19).png|300px]] <big><span style="color:#CE61CE">'''>steal a tire pump and use it to increase your brain power'''</span></big> Your expanded gray matter grants you +1 Insight. [[File:braindrainquest (20).png|300px]] <big><span style="color:#CE61CE">'''>bribe beefus with your 2 moneys to tell you where the others are'''</span></big> You take a boat to Ballingypt, using up 6 of your 8 blastcoin. You intend to bribe Beefus with your remaining 2₿... but first you need to find him. [[File:braindrainquest (21).png|300px]] <big><span style="color:#CE61CE">'''>im going to bed'''</span></big> Gnaw Host sleeps soundly, unaware of the treacherous machinations of this cruel world. [[File:braindrainquest (22).png|300px]] <big><span style="color:#CE61CE">'''>Use beef to lure him'''</span></big> You waggle a beer-soaked steak in the air. It attracts some nearby chads. [[File:braindrainquest (23).png|300px]] <big><span style="color:#CE61CE">'''>Draw on his skull with a marker'''</span></big> <big><span style="color:#CE61CE">'''>Oh that will have to wait'''</span></big> You thought of that before leaving. [[File:braindrainquest (24).png|300px]] <big><span style="color:#CE61CE">'''>drop it in the middle of them and watch them all collide'''</span></big> You successfully slapstick the chads. [[File:braindrainquest (25).png|300px]] <big><span style="color:#CE61CE">'''>try to flex your brain as if it were a bicep to further earn the favour of the local chads'''</span></big> The chads are conflicted. On one hand, displaying mental prowess in lieu of physical ability is anathema to their athletic way of life. On the other hand, is not the mind a muscle to be exercised? They're not very smart so they give up the philosophical musings and just accept you into the group. You have curried the favor of the BALLINGYPT CHADS. [[File:braindrainquest (26).png|300px]] <big><span style="color:#CE61CE">'''>wake up, but then go through the exact same sequence of events until the present'''</span></big> You relive your experiences through the power of imaginative hallucination. [[File:braindrainquest (27).png|300px]] <big><span style="color:#CE61CE">'''>find beefus and casually get the locations of the others out of him through delicate and nuanced conversation'''</span></big> With the help of the chads, you locate BEEFUS, who is busy working his arms (as usual). You engage in conversation. [[File:braindrainquest (28).png|300px]] <big><span style="color:#CE61CE">'''>Ask him his favorite color (plot point)'''</span></big> It's green, the same color as his skin. [[File:braindrainquest (29).png|300px]] <big><span style="color:#CE61CE">'''>Seduce the sand'''</span></big> You intimidate Beefus with your superior CHARISMA. [[File:braindrainquest (30).png|300px]] 89e0cfe47b8fee743921a89262809e3373ff8399 984 978 2023-11-25T08:34:27Z Subaluwa 2 wikitext text/x-wiki ==Chapter 1: The Bodybuilder== <big><span style="color:#CE61CE">'''>START'''</span></big> [[File:braindrainquest (1).png|300px]] Your name is BRAIN DRAIN. You're out for REVENGE against the monster known as [[Beukhoofd|BEUKHOOFD]], who gruesomely and canonically murdered your ALLY, FRIEND, and possibly even LOVER, the noble BATTERYBOY. You're purchased a HIGH-FREQUENCY BLADE at your local Hot Topic, and you intend to use it to cut that blue bastard into woodchips. What do? <big><span style="color:#CE61CE">'''>my own thing'''</span></big> [[File:braindrainquest (2).png|300px]] You go to the local milkshake bar and get a drink. <big><span style="color:#CE61CE">'''>Brain Drain gets iPad'''</span></big> <big><span style="color:#CE61CE">'''>first, come up with a plan to get buekhoofd away from his allies'''</span></big> [[File:braindrainquest (3).png|300px]] You pick up a PipePad™ and plan out your assault. Before you can kill Beukhoofd, you first need to destroy his three allies: the berserking ANGRY GUN, the impenetrable BEEFUS, and the enigmatic SMITH, WIZARD OF WESSON. Then, you'll finally be able to defeat your nemesis. <big><span style="color:#CE61CE">'''>give up cause beukhoofd is too powerful'''</span></big> [[File:beukhoofd giveup.png|80px]] You think of Beukhoofd telling you to give up, and fight back the urge to KNEEL. You can't succumb to this MONSTER! [[File:braindrainquest (4).png|300px]] <big><span style="color:#CE61CE">'''>kill beukhoofd'''</span></big> You murder Beukhoofd in your imagination. It's very cathartic. [[File:braindrainquest (5).png|300px]] <big><span style="color:#CE61CE">'''>Go to Imaginationland so your dreams can become reality'''</span></big> You immerse yourself in the land of dreams. [[File:braindrainquest (6).png|300px]] <big><span style="color:#CE61CE">'''>try to establish contact with worm (forma del diablo)'''</span></big> You seek out Worm (forma del diablo), who was defeated by the wizard Smith in the superboss fight and sent back to the pits of hell. Unfortunately, he seems hesitant to join you in your plan to kill Beukhoofd; he doesn't want to meet Smith on the battlefield again. [[File:braindrainquest (7).png|300px]] <big><span style="color:#CE61CE">'''>dream about batteryboy'''</span></big> <big><span style="color:#CE61CE">'''>hijack a stronger body (ryan gosling)'''</span></big> You fantasize about having Batteryboy back and being Ryan Gosling, and make yourself sad again. [[File:braindrainquest (8).png|300px]] <big><span style="color:#CE61CE">'''>hijack a stronger body (beukhoofd)'''</span></big> To cheer yourself up, you think about riding Beukhoofd like a mechanical bull. And then killing him. [[File:braindrainquest (9).png|300px]] <big><span style="color:#CE61CE">'''>go to the store and buy a rake with our pocket money'''</span></big> You go to the local hardware store, but the Weezer Wizard manning the counter informs you that a rake costs 5₿. [[File:braindrainquest (10).png|300px]] <big><span style="color:#CE61CE">'''>level up charisma'''</span></big> <big><span style="color:#CE61CE">'''>like a fucking lot of charisma, i need alll the charisma'''</span></big> <big><span style="color:#CE61CE">'''>dump dexterity'''</span></big> <big><span style="color:#CE61CE">'''>yeah dex is for noobs'''</span></big> What's that? [[File:braindrainquest (11).png|300px]] <big><span style="color:#CE61CE">'''>Initiate Haggle Mode'''</span></big> You haggle him up to 8₿. Wow, you suck at this! [[File:braindrainquest (12).png|300px]] <big><span style="color:#CE61CE">'''>use all money on blast coin sport app'''</span></big> <big><span style="color:#CE61CE">'''>quick time event, press ¥ to get money'''</span></big> You invest your 2₿ into a franchise that you think will be very profitable. [[File:braindrainquest (13).png|300px]] <big><span style="color:#CE61CE">'''>use the shop glitch to sell his own inventory back to him to gain large amounts of money'''</span></big> You try to steal the shop's wares so you can sell them back to the Weezer Wizard for infinite money. Unfortunately, you dumped DEX. [[File:braindrainquest (14).png|300px]] <big><span style="color:#CE61CE">'''>hack into gnawbone hosts computer and get the addresses of the vermin you need to kill'''</span></big> Gnaw Host's computer gives you a lead on the first of Beukhoofd's allies, BEEFUS. He's currently somewhere in [[Ballingypt]], taking advantage of Sports Host's recent return to power in the region. [[File:braindrainquest (15).png|300px]] <big><span style="color:#CE61CE">'''>read a book called "how to talk to women"'''</span></big> <big><span style="color:#CE61CE">'''>social muscle of course'''</span></big> You check out a book from the local library and expand your skills. However, you won't be able to assign those muscle points until you've gone up a stage, preferably by fighting someone. [[File:braindrainquest (16).png|300px]] <big><span style="color:#CE61CE">'''>Exit Haggle Mode, enter Gaslight Mode and convince him it's Opposite Day so therefore he owes you 8₿.'''</span></big> With your newfound social skills, you successfully swindle 8₿ from the Weezer Wizard. [[File:braindrainquest (17).png|300px]] <big><span style="color:#CE61CE">'''>Organize a prank call right after'''</span></big> You decide to use your pulchritude for evil, and call the local bar with "Hi, I'd like to talk to Drew P. Wiener." [[File:braindrainquest (18).png|300px]] <big><span style="color:#CE61CE">'''>go outside and catch a budew'''</span></big> You add the Budew to your inventory. [[File:braindrainquest (19).png|300px]] <big><span style="color:#CE61CE">'''>steal a tire pump and use it to increase your brain power'''</span></big> Your expanded gray matter grants you +1 Insight. [[File:braindrainquest (20).png|300px]] <big><span style="color:#CE61CE">'''>bribe beefus with your 2 moneys to tell you where the others are'''</span></big> You take a boat to Ballingypt, using up 6 of your 8 blastcoin. You intend to bribe Beefus with your remaining 2₿... but first you need to find him. [[File:braindrainquest (21).png|300px]] <big><span style="color:#CE61CE">'''>im going to bed'''</span></big> Gnaw Host sleeps soundly, unaware of the treacherous machinations of this cruel world. [[File:braindrainquest (22).png|300px]] <big><span style="color:#CE61CE">'''>Use beef to lure him'''</span></big> You waggle a beer-soaked steak in the air. It attracts some nearby chads. [[File:braindrainquest (23).png|300px]] <big><span style="color:#CE61CE">'''>Draw on his skull with a marker'''</span></big> <big><span style="color:#CE61CE">'''>Oh that will have to wait'''</span></big> You thought of that before leaving. [[File:braindrainquest (24).png|300px]] <big><span style="color:#CE61CE">'''>drop it in the middle of them and watch them all collide'''</span></big> You successfully slapstick the chads. [[File:braindrainquest (25).png|300px]] <big><span style="color:#CE61CE">'''>try to flex your brain as if it were a bicep to further earn the favour of the local chads'''</span></big> The chads are conflicted. On one hand, displaying mental prowess in lieu of physical ability is anathema to their athletic way of life. On the other hand, is not the mind a muscle to be exercised? They're not very smart so they give up the philosophical musings and just accept you into the group. You have curried the favor of the BALLINGYPT CHADS. [[File:braindrainquest (26).png|300px]] <big><span style="color:#CE61CE">'''>wake up, but then go through the exact same sequence of events until the present'''</span></big> You relive your experiences through the power of imaginative hallucination. [[File:braindrainquest (27).png|300px]] <big><span style="color:#CE61CE">'''>find beefus and casually get the locations of the others out of him through delicate and nuanced conversation'''</span></big> With the help of the chads, you locate BEEFUS, who is busy working his arms (as usual). You engage in conversation. [[File:braindrainquest (28).png|300px]] <big><span style="color:#CE61CE">'''>Ask him his favorite color (plot point)'''</span></big> It's green, the same color as his skin. [[File:braindrainquest (29).png|300px]] <big><span style="color:#CE61CE">'''>Seduce the sand'''</span></big> You intimidate Beefus with your superior CHARISMA. [[File:braindrainquest (30).png|300px]] <big><span style="color:#CE61CE">'''>this beefus fella is untrustworthy but we have no other choice'''</span></big> <big><span style="color:#CE61CE">'''>nah he's just colorblind. tell him his skin is actually blue.'''</span></big> You use your special attack and completely shatter Beefus's entire worldview. [[File:braindrainquest (31).png|300px]] <big><span style="color:#CE61CE">'''>savescum until you get a full success on the romance route'''</span></big> You successfully establish a harem. [[File:braindrainquest (32).png|300px]] <big><span style="color:#CE61CE">'''>offer beefus your eyepatch'''</span></big> Enamored with your rogueish demeanor, Beefus spills all. He doesn't know where the others are, but he does recall Angry Gun heading to the distant island of Awoogalia to make a living as a mercenary. You offer him your eyepatch as a token of your eternal love. [[File:braindrainquest (33).png|300px]] <big><span style="color:#CE61CE">'''>take your eyepatch back and punch beefus in the face, he's still an ally of beukhoofd and now that you have the information you want from him he's worthless'''</span></big> No mercy for allies of BEUKHOOFD. He only has 1 guard so your unprompted attack leaves him crippled: not just physically, but emotionally as well. [[File:braindrainquest (34).png|300px]] <big><span style="color:#CE61CE">'''>cast a heart disease spell on him'''</span></big> You also manifest the removal of about 5 years of life expectancy from him. [[File:braindrainquest (35).png|300px]] 082b4411b0ce26eee9634fea752afc3ad9d1ce3b File:Braindrainquest (30).png 6 396 973 2023-11-25T08:22:37Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (26).png 6 397 974 2023-11-25T08:22:40Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (27).png 6 398 975 2023-11-25T08:22:43Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (28).png 6 399 976 2023-11-25T08:22:45Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (29).png 6 400 977 2023-11-25T08:22:48Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (31).png 6 401 979 2023-11-25T08:29:10Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (32).png 6 402 980 2023-11-25T08:29:13Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (33).png 6 403 981 2023-11-25T08:29:17Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (34).png 6 404 982 2023-11-25T08:29:20Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:Braindrainquest (35).png 6 405 983 2023-11-25T08:29:24Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 File:GruBLAM sheet.png 6 406 985 2023-11-25T08:43:32Z Subaluwa 2 File uploaded with MsUpload wikitext text/x-wiki File uploaded with MsUpload a655f04485ff507c02499d137d22a0d3e0ea32c2 King GruBLAM! 0 189 986 807 2023-11-25T09:00:35Z Subaluwa 2 wikitext text/x-wiki [[File:Grubpog.png|thumb|200px|left]] [[File:Grubruh.png|thumb|200px|right]] '''King GruBLAM!''' is the champion of Old-School Tournament 1. He is the king of [[Yas Blamgeles]]. Unlike King Blorf of the [[old universe]], GruBLAM! frequently involves himself in events around his demesne, and sends out people to deal with issues ranging from wandering monsters to new discoveries to superboss-tier calamities. ==Information== King GruBLAM! came to power after defeating the [[Nutbringer]], which crawled out of a chunk error leading to the old universe. The grateful citizens renamed their city to Yas Blamgeles after GruBLAM and [[YAAAS]], and he was promptly elected as leader. After hearing of the [[Lord of Misrule]] and his takeover of [[Halloween Island]], GruBLAM sent out his Knights of GruBLAM, who traveled to the island and defeated the Lord with the help of some bombs from GruBLAM's airship, the Pride of GruBLAM. An anonymous adventurer sent GruBLAM! a letter warning of an unidentified threat lurking in the wasteland beyond the city, which had injured the adventurer. In response, the king sent out troops to search for and capture any monstrous vermin fitting the description in the letter. Eight vermin were arrested, but only one was determined to be responsible for the incident, and deemed the Fright of GruBLAM. No further punishment or action was taken, and citizens have questioned the decision to simply release all eight vermin back into the wasteland. As of late it has been contested as to whether or not GruBLAM! really is a king or not due to their fight not being archived. A recreation of their epic battle had since been publicized alongside an alternative "what-if" scenario in which Nutbringer had won the fight. ==Trivia== [[File:GruBLAM sheet.png|right|400px]] * He was shocked by the death of [[Ralphie Host]] on live TV. * When [[Brain Drain]] accidentally released a large number of Misrule constructs from Halloween Island, one of those constructs was a facsimile of King GruBLAM! piloting the Pride of GruBLAM. Upon meeting their duplicate, the GruBLAMs complimented each other on their looks. 14479851a8312a787f945f7cce86f59c8e09cd38 994 986 2023-11-25T22:18:49Z NLD 3 wikitext text/x-wiki [[File:Grubpog.png|thumb|200px|left]] [[File:Grubruh.png|thumb|200px|right]] '''King GruBLAM!''' is the champion of Old-School Tournament 1. He is the king of [[Yas Blamgeles]]. Unlike King Blorf of the [[old universe]], GruBLAM! frequently involves himself in events around his demesne, and sends out people to deal with issues ranging from wandering monsters to new discoveries to superboss-tier calamities. ==Information== King GruBLAM! came to power after defeating the [[Nutbringer]], which crawled out of a chunk error leading to the old universe. The grateful citizens renamed their city to Yas Blamgeles after GruBLAM and [[YAAAS]], and he was promptly elected as leader. After hearing of the [[Lord of Misrule]] and his takeover of [[Halloween Island]], GruBLAM sent out his Knights of GruBLAM, who traveled to the island and defeated the Lord with the help of some bombs from GruBLAM's airship, the Pride of GruBLAM. An anonymous adventurer sent GruBLAM! a letter warning of an unidentified threat lurking in the wasteland beyond the city, which had injured the adventurer. In response, the king sent out troops to search for and capture any monstrous vermin fitting the description in the letter. Eight vermin were arrested, but only one was determined to be responsible for the incident, and deemed the Fright of GruBLAM. No further punishment or action was taken, and citizens have questioned the decision to simply release all eight vermin back into the wasteland. As of late it has been contested as to whether or not GruBLAM! really is a king or not due to their fight not being archived. A recreation of their epic battle had since been publicized alongside an alternative "what-if" scenario in which Nutbringer had won the fight. ==Trivia== [[File:GruBLAM sheet.png|right|400px]] * He was shocked by the death of [[Ralphie Host]] on live TV. * When [[Brain Drain]] accidentally released a large number of Misrule constructs from Halloween Island, one of those constructs was a facsimile of King GruBLAM! piloting the Pride of GruBLAM. Upon meeting their duplicate, the GruBLAMs complimented each other on their looks. [[Category:Vermin]] 0f6e068a91881a90e1ee9b8f90a9a909bc3c66e4 Main Page 0 1 987 952 2023-11-25T11:12:26Z Codacoda 10 /* Vermin */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[Mook]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ==Vermin== ===[[Champions]]=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ''[https://vermin.miraheze.org/wiki/Category:Champions See More.]'' ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] ''[https://vermin.miraheze.org/wiki/Category:Vermin See More.]'' b7bef4fa4d70ca43c566c563fa4952d7e1a3bbfd 988 987 2023-11-25T11:29:19Z Codacoda 10 /* Lore */ wikitext text/x-wiki == Welcome to the VFC Wiki! == This is a wiki to catalogue the lore of [https://discord.gg/ffUma2XjZc Vermin Fight Club], a Discord server dedicated to computer-controlled MSPaint cockfights, where your crappy drawings are pitted against each other in battle engines. [[File:Tutorial.png|thumb|right]] <youtube>YphGp619wqE</youtube> ''An example of a vermin fight from Big "Tournament" Smells II.'' Due to the reboot status of this project, this wiki replaces the [https://vermin.fandom.com/ /v/ermin wiki], which is contextually outdated and does not reflect current lore. There are currently {{NUMBEROFARTICLES}} pages on the wiki. == Vermin Universe == * [[Infinite Wumpus]] === [[Vermerica]] === * [[Yas Blamgeles]] * [[Ultra Hell]] * [[Halloween Island]] ====Places==== * [[The Office™]] * [[Moth Kingdom]] * [[The Blighted Kingdom]] * [[Cirque du String]] * [[Dusktown]] === [[The Divided Kingdoms]] === * [[Greater Ohio]] * [[Hahalatia]] * [[EEEEEEEEE]] * [[Tunguska]] * [[Ballingypt]] * [[Awoogalia]] === [[The Burning Depths]] === * [[Armorica]] * [[Great Nihilis]] * [[The Great Republic Of Lawthuina]] * [[Anarctica]] * [[New Brightland]] * [[Fire Palace]] * [[Old Colosseum]] ''[https://vermin.miraheze.org/wiki/Category:Champions See More.]'' == Lore == ===Old Universe=== * [[Original timeline]] * [[VEK Host]] ===Tulip Heart=== * [[Wizards and Knife Guys]] * [[Hyper Convergence]] ===Big "Tournament" Smells=== * [[Big "Host" Smells]] * [[Blue Sky]] * [[Virulent Balls]] ===Bullet Hell=== * [[Ralphie Host]] * [[Gaalm]] ===Other Hosts=== * [[Coin Host]] *[[Spore Host]] * [[Ultra ""Host""]] * [[Duel Host]] * [[Sports Host]] '''<big>Miscellaneous</big>''' * [[Imp Cult]] * [[King GruBLAM!]] * [[Lord of Misrule]] * [[Mook]] * [[My Kitchen]] * [[Skultists]] * [[Vermin and Hosts]] * [[Vermin Units]] * [[Virarmy]] ''[https://vermin.miraheze.org/wiki/Category:Culture See]'' ''[https://vermin.miraheze.org/wiki/Category:Terminology More.]'' ==Vermin== ===[[Champions]]=== * [[Average Dinglesaur]] * [[Beukhoofd]] * [[Bush Wizard]] * [[Cirgnome]] * [[Darth Swagbeard]] * [[Dinoangulus]] * [[Macroevolution]] * [[Matchliacci]] * [[MC Raptor]] * [["NSFW-Fury"]] * [[Papa Roach]] * [[Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard]] * [[Stringleader]] * [[Swagbeard]] * [[YAAAS]] ''[https://vermin.miraheze.org/wiki/Category:Champions See More.]'' ===Other=== * [[Wargraav]] * [[The High Priest]] * [[Starters]] * [[Clarissa]] * [[Papa Pepper Ghost]] * [[Big Suze]] * [[Some Crazy Bastard]] ''[https://vermin.miraheze.org/wiki/Category:Vermin See More.]'' 802e6495ac01b3c261e9bceb869e01dd03652baa Dinoangulus 0 169 989 426 2023-11-25T11:34:34Z Codacoda 10 /* Information */ wikitext text/x-wiki [[File:Dinoangulus.png|thumb|The design of Dinoangulus was made out of boredom and stretching a quick doodle with MsPaint tools, from which eventually found proper use as a vermin, with a rather silly sheet layout.]] '''Dinoangulus''', alongside Slavic Scholar Gonnihe, Thomas and Brontollusk, is a member of the champion team '''[[Old Friends :)]]''' from the Second Whippersnapper Tournament, featuring a 4v2 format, claiming victory on June 25th, 2022. He's also a [[Starters#Dinoswordus|Dinoswordus]] variant, making him one of the first champions of this timeline who originated from the [[Original timeline|Original]] one. == Performance == ===Whippersnapper Tournament II (4v2)=== This section will be treating the performance as a team rather than individual. As an abilityless vermin, Dinoangulus' sole tinkering was the cosmetic of dropping goats as a way of blasting. * R1F1: vs. LAM-o & jimm stomps (won) * R2F1: vs. Lamplord & Mysterious Cartoonist (won) * R2F1: vs. NERFED POWERMAN & Our ASCENDED lumpus (won) * SPECIAL SUPERBOSS: vs. Archangel Roboat (won, as in Thomas being the last team member surviving.) * FINALS: vs. Ladybro & Miss. Arianas VIII (won) == Information == [[File:Mook_dinoangulus.png|thumb|Hypothetical "Stage 1" Dinoangulus, more akin to Dinoswordus looks.]] Dinoangulus is a large, sentient, abilityless, rather angular Dinoswordus variant, heavily inclined towards flight. As a creature with long features, it needs ample space to take off, as much as any commercial plane. Its pelt is rather thin but soft, and can molt and regrow around summer quite fast. The goats of Dinoangulus are rather tame and can be farmed (despite being sentient), which makes it an indirect symbiotic relationship. He's quite proud of himself, but with a rather positive and amicable confidence. == Lore == Dinoangulus got plagued by goats as he reached the new universe. During the sole tournament he was in, he found himself being the main target of most opponents, taking him out of business often, hopefully his strong friendship between teammates held his back through the entire run, and even got a small visage of vermin heaven after beholding the Archangel Roboat in first row. After champing, he resides on the cliffs of the current universe's Champions Valley unbothered, but his angles make people think there are two or three more entities walking around. <gallery> Team_old_friends_1.png Uwretwertwewe.gif Team_Old_Friendship.png </gallery> == Trivia == * Dinoangulus coloration was originally different, with some attempts being greenish in tones, until it was adopted as a vermin design that plays around the idea of Dinoswordus variants, thus becoming purple. He also follows one of the Dinoswordus variant naming conventions, being that of ''Dino+(WORD)+us''. The main inspiration behind this decision was the rather obscure focus of the pterodactyl-lke qualities of Dinoswordus, being mostly associated with dragons or actual dinosaurs. ** Coincidentially, one of the few other Old Universe champions, [[Metalswordus Kai]] of team [[War Machines]] from Big "Tournament" Smells [https://youtu.be/vska6Hvq6hQ V], also happens to be a Dinoswordus variant. * The goat theming pays homage to the rather viral status of some mountain goats, [https://knowyourmeme.com/memes/i-crave-that-mineral able to climb almost 90 degree slopes just to get salt from specific rocks.] They're also partially inspired by the Gravity Falls character [https://disney.fandom.com/wiki/Gompers Gompers] and the infamous [https://en.wikipedia.org/wiki/Goat_Simulator Goat Simulator] franchise. * Despite the elongated features being made at random, the longer tail resembles that of a [https://en.wikipedia.org/wiki/Rhamphorhynchoidea rhamphorhynchoid pterosaur], the overal design is a heavily deformed Pteranodon, with the vertical crest implying inspiration from [https://en.wikipedia.org/wiki/Pteranodon_sternbergi the Sternberg species, specifically.], and the absurdly long proportions of the crest being a parody of pterosaurs (or pterodactyls) [https://en.wikipedia.org/wiki/Nyctosaurus Nyctosaurus] and possibly [https://en.wikipedia.org/wiki/Barbaridactylus Barbaridactylus] from the [https://en.wikipedia.org/wiki/Nyctosauridae Nyctosauridae family]. [[Category:Vermin]] 93b70eb01c0d54074a787bf400e63a8b8197eb62 Cirgnome 0 156 990 761 2023-11-25T22:15:12Z NLD 3 wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of [[Ralphie Host|Bullet Hell Tournament 2]]. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] [[File:Buh.png|thumb|left|buh]]<nowiki>[[Category:Vermin]]</nowiki> a601a7bb22ad988472378fa67f74b8a9a09e0054 991 990 2023-11-25T22:17:13Z NLD 3 /* Lore */ wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of [[Ralphie Host|Bullet Hell Tournament 2]]. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] [[File:Buh.png|thumb|left|buh]] 652b3604d116a5557ab891b3cc97181aea566613 992 991 2023-11-25T22:17:32Z NLD 3 wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of [[Ralphie Host|Bullet Hell Tournament 2]]. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] [[File:Buh.png|thumb|left|buh]] [[Category:Vermin]] 939ff47215035dd30d8c17acb469b411ca943aaa 1004 992 2023-11-25T23:31:32Z NLD 3 wikitext text/x-wiki [[File:Cirgnome.png|thumb|right|What a Funky!]] Cirgnome is the champion of [[Ralphie Host|Bullet Hell Tournament 2]]. == Performance == * vs Book of Fossils (won) * vs "Sailor Bee" (won) * vs Guardam (won) * vs Pajama Punch (Superboss, won) * vs The Seeker (Superboss, won) == Lore == Cirgnome had fought and defeated both Pajama Punch and The Seeker, halting their pursuit of a powerful artifact and claiming a sizable bounty on the the former. In preparation to face an oncoming threat, Cirgnome has tamed a noble Roomba it found in a discount appliance store and valiantly rides it into battle as the strongest Burst Mode. [[File:Cirgnome on a Roomba.png|thumb|right|El Transporte!]] [[File:Buh.png|thumb|left|buh]] [[Category:Vermin]] [[Category:Champions]] d46fe3fd82f41ff7b42978ed84e812d776710aa9 Stringleader 0 49 993 98 2023-11-25T22:17:44Z NLD 3 wikitext text/x-wiki [[File:Sloth Stringleader.png|thumb|right|The Slothful Puppetmaster]] An eccentric puppet man who seems to want nothing more than to make others smile and enjoy themselves, the Stringleader is the champion of [[Whippersnapper Tournament 1]]. == Performance == * vs Jeff Vermos (won) * vs Fortress of Min (won) * vs Shruggie-V (won) * vs Super Sand 3 (won) == Lore == Stringleader was one of seven ambassador spirits sent by an entity from another dimension to compete in tournaments. By competing, they grow stronger and, upon achieving their proper evolved forms, weaken the walls between this dimension and that which they originated from. Having succeeded in his mission to such an extreme degree, Stringleader was relieved of his duties so that he could pursue his own interests with no strings attached and even greater power than he had previously possessed. He quickly founded the Cirque du String, a mystical carnival located within the Champion's Valley of Yas Blamgeles. Hiding advertisements in unexpected places throughout the world, people would slowly find their way to and enjoy the many sights and sounds the Cirque du String has to offer. Stringleader has also gained a fair few servants to work within and improve upon his establishment such as [[Matchliacci]] who manages a rise-drop ride and dazzles passersby with his wild flame dances. Keeping a close eye on everything, Stringleader is content with the way things are running, as they all progress towards something a lot more sinister than one may think... [[Category:Vermin]] 1b596240eeb3d8691930cf37216e37b573a99feb 1005 993 2023-11-25T23:31:33Z NLD 3 wikitext text/x-wiki [[File:Sloth Stringleader.png|thumb|right|The Slothful Puppetmaster]] An eccentric puppet man who seems to want nothing more than to make others smile and enjoy themselves, the Stringleader is the champion of [[Whippersnapper Tournament 1]]. == Performance == * vs Jeff Vermos (won) * vs Fortress of Min (won) * vs Shruggie-V (won) * vs Super Sand 3 (won) == Lore == Stringleader was one of seven ambassador spirits sent by an entity from another dimension to compete in tournaments. By competing, they grow stronger and, upon achieving their proper evolved forms, weaken the walls between this dimension and that which they originated from. Having succeeded in his mission to such an extreme degree, Stringleader was relieved of his duties so that he could pursue his own interests with no strings attached and even greater power than he had previously possessed. He quickly founded the Cirque du String, a mystical carnival located within the Champion's Valley of Yas Blamgeles. Hiding advertisements in unexpected places throughout the world, people would slowly find their way to and enjoy the many sights and sounds the Cirque du String has to offer. Stringleader has also gained a fair few servants to work within and improve upon his establishment such as [[Matchliacci]] who manages a rise-drop ride and dazzles passersby with his wild flame dances. Keeping a close eye on everything, Stringleader is content with the way things are running, as they all progress towards something a lot more sinister than one may think... [[Category:Vermin]] [[Category:Champions]] 95dc1df34b7724f0752f5676a24630963c16c336 Beukhoofd 0 177 995 948 2023-11-25T22:20:08Z NLD 3 wikitext text/x-wiki [[File:Beukhoofd.png|thumb]]'''Beukhoofd''' is the champion of the Wizard Tournament, which was a mook recruitment tournament. Beukhoofd champed along with Smith, the Wizard of Wesson, Beefus, and Angry Gun. ==Information== This is Beukhoofd, which roughly translates to "Bonkhead". I don't even remember how old I was when I came up with this, but I remember it was around the time when Medabots was on TV. And I had a thought: "what if instead of awesome robots with lasers and claws, they were lame wooden toys, and instead of fighting, they kind of bonked into eachother?" It was brilliant. There were a bunch of Beukhoofds in various colours, some of them had like spikes on their ramming surface, or body armour, and I faintly remember thinking of a plot where the villain had a Beukhoofd who was so big he used it to beuk buildings over. I don't know why I never got an anime made out of this. Are you wondering what they look like from the side? Me too, if I ever drew them from another angle I always obscured the ramming surface because it raised a lot of questions about how their face works. I don't remember much, because this was REALLY long ago, but I think they had a mega form too. There was also a magic Beukhoofd fairy who looked like a jelly bean with a top hat and a cane. Maybe I'll search the attic for this shit one day and solve the mysteries of Beukhoofd. ==Gallery== <gallery> Beukhoofd clay.png|Clay sculpture Beukhoofd pico.gif|Animated Beukhoofd Beukhoofd yellow.png|Forma de Super Saiyajin Beukhoofd green.png|Forma Super Saiyan Verde </gallery> ‎ ==Trivia== * One of them had an Elvis hairstyle and blue suede wheels. * That drawing is probably from when I was like 17, the original drawings were all in pencil and are somewhere in the depths of my dad's attic or something. * [[Brain Drain]] really hates him for some reason. [[Category:Vermin]] [[Category:Mooks]] c466b1d882a3c581a2f4742788745ff539e10567 1003 995 2023-11-25T23:31:02Z NLD 3 wikitext text/x-wiki [[File:Beukhoofd.png|thumb]]'''Beukhoofd''' is the champion of the Wizard Tournament, which was a mook recruitment tournament. Beukhoofd champed along with Smith, the Wizard of Wesson, Beefus, and Angry Gun. ==Information== This is Beukhoofd, which roughly translates to "Bonkhead". I don't even remember how old I was when I came up with this, but I remember it was around the time when Medabots was on TV. And I had a thought: "what if instead of awesome robots with lasers and claws, they were lame wooden toys, and instead of fighting, they kind of bonked into eachother?" It was brilliant. There were a bunch of Beukhoofds in various colours, some of them had like spikes on their ramming surface, or body armour, and I faintly remember thinking of a plot where the villain had a Beukhoofd who was so big he used it to beuk buildings over. I don't know why I never got an anime made out of this. Are you wondering what they look like from the side? Me too, if I ever drew them from another angle I always obscured the ramming surface because it raised a lot of questions about how their face works. I don't remember much, because this was REALLY long ago, but I think they had a mega form too. There was also a magic Beukhoofd fairy who looked like a jelly bean with a top hat and a cane. Maybe I'll search the attic for this shit one day and solve the mysteries of Beukhoofd. ==Gallery== <gallery> Beukhoofd clay.png|Clay sculpture Beukhoofd pico.gif|Animated Beukhoofd Beukhoofd yellow.png|Forma de Super Saiyajin Beukhoofd green.png|Forma Super Saiyan Verde </gallery> ‎ ==Trivia== * One of them had an Elvis hairstyle and blue suede wheels. * That drawing is probably from when I was like 17, the original drawings were all in pencil and are somewhere in the depths of my dad's attic or something. * [[Brain Drain]] really hates him for some reason. [[Category:Vermin]] [[Category:Mooks]] [[Category:Champions]] 1cb295d73a91ed4b2973ffa8792d75b3f0460093 User:NLD 2 407 996 2023-11-25T23:27:31Z NLD 3 Created page with "gaming" wikitext text/x-wiki gaming 47618c808d0dbc1845ae03eb061cce381d9eaccd The High Priest 0 45 997 463 2023-11-25T23:28:14Z NLD 3 wikitext text/x-wiki [[File:High priest.png|thumb|DUDE WEED LMAO]] * the high priest rundown! cause who doesn't like weed? (approximately over 100 countries.) * they were originally made for the knights of grublam pageant, which is why i went super detailed in their design! even if they didnt win i'm rlly proud of the end result * making something so unapologetically drug related was kind of iffy on my part but i ended up happy with it. "the high priest" was too good of a pun to pass up * yes he is high all the time. the only distinction is whether he is still functioning levels of high or Oh God I Am Seeing Other Dimensions levels of high * she is definitely a loser stoner dont get me wrong but she also wants to do make something of herself by spreading peace and love.... and by trying to get marijuana legalized worldwide. she thinks weed is fucking Awesome but is aware its not suitable for everyone. she will generally avoid people who dont feel like being around someone who smells like an actual smoke cloud * they're essentially a walking plant-bug of cannabis; their hair has the texture of marijuana leaves, and their mushroom cap is removable. their antennae is consistently part of them and their blood color is probably not on the visible light spectrum but they are generally humanoid * it is genderfluid and pansexual and honestly couldnt care less as long as u like weed. it does not like commitment tho, preferring casual relationships over anything * on the surface, he loves a good party and enjoying the thrills of life, but behind that carefree façade he gets pretty nervous. he flounders social interactions constantly but its not him being high he just sucks at that LOL * outside of chronic kush smoking (it isn't bad for her btw), she practices gardening (...mainlyyy for weed) and other things that let her see nature, like sightseeing, hiking, and camping! [[File:DUDE.png|thumb]] * is the only vermin to solve TogaQuest (while blazed out of their fuckin skull) * if the high priest by some miracle champs, weed will be [[Cannabis in the Divided Kingdoms|legal]] ** ....in specifically the lowest-populated county of greater ohio and nowhere else [[Category:Vermin]] 5ba816ccb1234a6d8c0a4d22315e4a388c3379ac Darth Swagbeard 0 37 998 710 2023-11-25T23:28:45Z NLD 3 wikitext text/x-wiki [[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. Paranormal Investigator Jim later drank the ghost of Brick Trickem Forever, got roided on ectoplasm, ascended to brickhood, had his chest punched out by a Blood Grabape, and became undead. [[Category:Vermin]] 20f1e00586b536c3a483c00399ee8849e70a5341 1001 998 2023-11-25T23:30:06Z NLD 3 wikitext text/x-wiki [[File:Swagbeard.png|thumb]] '''Darth Swagbeard''' is one of the most powerful vermin alive. ==Information== He won Gnaw Tournament 24, which was vaguely Star Wars-themed. His ability is to instantly remove the enemy from existence when he gets below 8% health. [[File:Paranormal investigator jim.png|thumb]] [[File:Swagbeard dad.png|thumb]] His father is a paranormal investigator. Swagbeard thinks his dad's fedora is cool, but he can't pull it off himself. Paranormal Investigator Jim later drank the ghost of Brick Trickem Forever, got roided on ectoplasm, ascended to brickhood, had his chest punched out by a Blood Grabape, and became undead. [[Category:Vermin]] [[Category:Champions]] 11d1d0f3d5df0173f1e5068a46616e47f4eef66b Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard 0 307 999 732 2023-11-25T23:29:21Z NLD 3 wikitext text/x-wiki '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is one of the five champions of Doin Tournament 1 and is a member of Team Ghost in the Machines, alongside Plucky Pat, Bunker Rush, Gyrobot and STELLAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA. [[File:Sentientsentry.png|thumb|The most recent, humanoid form of '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''']] ==Performance== ===Whippersnapper Tournament II (4v2)=== Note that Doin Tournament 1 was done in a round-robin format, so there aren't really "rounds" to speak of. *F1: vs. Sunday Scholars (won) *F2: vs. Blades of Navy (won) *F3: vs. Feast for the Menaces (won) ==Information== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is a sentry gun that originates from the Surbit dimension, a small pocket of alternate spacetime located on the outskirts of Yas Blamgeles. There are thousands of identical Sentry Guns located in the Surbit dimension, but '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is the only thing known to have escaped from the Surbit dimension thus far. Recently, he has been showing signs of rapid evolution, showing signs of sentience sometime prior to the Doin tournament, and recently even sporting a pair of arms and legs, features no other species from the Surbit dimension is known to possess. It is unknown whether these features are due to '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' being somehow different, or if exposure to the Vermin world has brought about these changes. ==Lore== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' was once a Sentry Gun like any other; a non-sentient and immobile entity residing in the Surbit dimension. However, something caused a micro-distortion in the dimension which caused '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' to appear outside of the Surbit dimension in the outskirts of Yas Blemengles. Nobody knows for sure what caused this event but some speculate that it was caused by stacking too many Slow Beacons in one place. While initially it reflexively only attacked creatures that got nearby, as it had always done, over the course of many decades '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' had gained sentience and self-locomotion. Though it is unable to communicate, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is showing signs of vastly increasing intelligence and the ability to adapt very quickly to its surroundings. After its victory in Doin Tournament 1, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' used its newfound wealth to kickstart a home defense and security business, now showing more and more humanoid features.<gallery> File:Minisentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s initial form, identical to other Sentry Guns as seen in the Surbit Dimension. File:Surbitsentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s appearance as seen in Doin Tournament 1. File:Doinsentry.png|'''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' as a card holder in Doin Tournament 2. </gallery> ==Trivia== *How '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' actually moves is unknown. [[Category:Vermin]] [[Category:Mook]] 8bacfb0a2c93b29514694ebeec4e6f88f59a2bee 1002 999 2023-11-25T23:30:12Z NLD 3 wikitext text/x-wiki '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is one of the five champions of Doin Tournament 1 and is a member of Team Ghost in the Machines, alongside Plucky Pat, Bunker Rush, Gyrobot and STELLAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAA. [[File:Sentientsentry.png|thumb|The most recent, humanoid form of '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''']] ==Performance== ===Whippersnapper Tournament II (4v2)=== Note that Doin Tournament 1 was done in a round-robin format, so there aren't really "rounds" to speak of. *F1: vs. Sunday Scholars (won) *F2: vs. Blades of Navy (won) *F3: vs. Feast for the Menaces (won) ==Information== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is a sentry gun that originates from the Surbit dimension, a small pocket of alternate spacetime located on the outskirts of Yas Blamgeles. There are thousands of identical Sentry Guns located in the Surbit dimension, but '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is the only thing known to have escaped from the Surbit dimension thus far. Recently, he has been showing signs of rapid evolution, showing signs of sentience sometime prior to the Doin tournament, and recently even sporting a pair of arms and legs, features no other species from the Surbit dimension is known to possess. It is unknown whether these features are due to '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' being somehow different, or if exposure to the Vermin world has brought about these changes. ==Lore== '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' was once a Sentry Gun like any other; a non-sentient and immobile entity residing in the Surbit dimension. However, something caused a micro-distortion in the dimension which caused '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' to appear outside of the Surbit dimension in the outskirts of Yas Blemengles. Nobody knows for sure what caused this event but some speculate that it was caused by stacking too many Slow Beacons in one place. While initially it reflexively only attacked creatures that got nearby, as it had always done, over the course of many decades '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' had gained sentience and self-locomotion. Though it is unable to communicate, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' is showing signs of vastly increasing intelligence and the ability to adapt very quickly to its surroundings. After its victory in Doin Tournament 1, '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' used its newfound wealth to kickstart a home defense and security business, now showing more and more humanoid features.<gallery> File:Minisentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s initial form, identical to other Sentry Guns as seen in the Surbit Dimension. File:Surbitsentry.png| '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard'''<nowiki/>'s appearance as seen in Doin Tournament 1. File:Doinsentry.png|'''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' as a card holder in Doin Tournament 2. </gallery> ==Trivia== *How '''Sentry Gun from the Video Game Surbit a Top Down Tower Defense Survival Shooter Game that is Free to Play and has an Online Leaderboard''' actually moves is unknown. [[Category:Vermin]] [[Category:Mook]] [[Category:Champions]] 16032a1ae97734be1a872c35ef55c27311438d7c "NSFW-Fury" 0 302 1000 724 2023-11-25T23:29:51Z NLD 3 wikitext text/x-wiki [[File:oshabreakersheet.png|thumb|right|"NSFW-Fury"'s full sheet.]] '''"NSFW-Fury"''' (real name '''OSHA-Breaker''', also known as '''"Office-Racer"''' and '''That one cunt who won't stop racing on chairs''') is an Employee™ of [[The Office™]], and the champion of Gnaw Tournament 1 (also known as Gnaw Tournament 5 2). He is the Head of Workplace Safety. == Performance == ===Gnaw Tournament 1=== *R1F16: vs. Sissy (won) *R2F8: vs. Ferngonopsid (won) *R3F4: vs. Jumpin' Jack Flash (won) *R4F2: vs. Severe Voltiana (won) *R5F1/Finals: vs. Rag'nav'zganyalo the Awoken (won) == Lore == [[File:thumbsup.png|left|"nsfwthumbsup", a generic thumbs up emoji in the VFC server. Rarely used, if at all.]] Despite the nickname and a rather intense racing stint during break hours, "NSFW-Fury" is actually a rather reserved individual most of the time. He does his job dilligently, ensuring every chair, desk, computer and even inch of the building is up to regulation so that accidents are minimized even in what seems to be incredibly dangerous chair racing. As the first (and currently only) member of the Wall of Fame™, "NSFW-Fury" will thank all the praise he gets for the award, though he refuses to gloat, and states that he simply "got lucky". [[Category:Vermin]] [[Category:Champions]] e00a6671a31d0ae567f2ab03aeea0e38157490c6 Category:Champions 14 408 1006 2023-11-25T23:32:26Z NLD 3 Created page with "Champions are vermin who won in official Vermin Tournaments." wikitext text/x-wiki Champions are vermin who won in official Vermin Tournaments. 1f5df90a26c2bebb01296a4d6d5ebcb66685503f Vermin and Hosts 0 90 1007 209 2023-11-26T23:52:50Z Subaluwa 2 /* Hosts */ wikitext text/x-wiki There are two main types of creatures in this crazy canon: '''vermin and hosts'''. Hosts are rare creatures that are able to manipulate reality enough to create "tournaments". A tournament is a series of fights that allows vermin to fight with all their strength without getting seriously hurt. Following this, a vermin is simply any creature that can fight in a tournament. Both can look like anything and come from anywhere, but vermin almost always have 1-3 stages of combat forms. Hosts and vermin generally live in peace and work together, with the hosts helping vermin grow stronger and stay entertained and the vermin keeping the hosts safe and content. This peace can be threatened when a vermin develops the powers of a host somehow, becoming a vermin-host hybrid. These hybrids have powers greater than the sum of their parts and can be quite dangerous if they choose to be. Hybrids are incredibly rare, so this is normally not an issue. [[File:Hosts and Vermin.png|frameless|center|A example of a host, a vermin, and a hybrid.]] ==Vermin== There are countless vermin out there, all incredibly different from each other. Generally, vermin enjoy fighting each other and become stronger when they do so, hence the need for tournaments. ==Hosts== Hosts are non-vermin entities with phenomenal cosmic powers. Their exact origins are unknown, but they tend to be extremely old; for example, Big "Host" Smells and Duel Host are both at least 2000 years old. Known hosts include: * [[Big "Host" Smells]] * [[The Seer]] * [[Coin Host]], Doin Host * [[Duel Host]] Vermin may also take on the power of a host to become a hybrid. Known hybrids are: * [[Starters#Gnawbone|Gnawbone]] * [[Blue Sky]] [[Category:Hosts]][[Category:Vermin]] 24284e502f7f44b96006129c8f46d8c93295d940